-
1 loop induction variable
Англо-русский толковый словарь терминов и сокращений по ВТ, Интернету и программированию. > loop induction variable
-
2 induction variable
= loop induction variableв программировании индуктивными называются переменные в циклах, последовательные значения которых образуют арифметическую прогрессию, т. е. увеличиваются (или уменьшаются) на константу при каждом прохождении цикла. Наиболее очевидный пример - счётчик цикла (loop counter). Индуктивные переменные часто используются в индексных выражениях массивов. Традиционные методы оптимизации предусматривают распознавание индуктивных переменных и удаление их из циклаАнгло-русский толковый словарь терминов и сокращений по ВТ, Интернету и программированию. > induction variable
-
3 loop
1) циклв программировании - повторяющееся выполнение последовательности операторов (тела цикла), контролируемое с помощью специального счётчика (счётчика цикла, loop counter), а также по логическому условию его продолжения или завершения. В зависимости от того, когда проверяется это условие - в начале цикла или в конце - различают циклы с предпроверкой (pretested loop) и с постпроверкой (posttested loop). Циклы бывают одиночными и вложенными (nested loop)Ant:см. тж. conditional loop, counted loop, embedded loop, empty loop, endless loop, event loop, induction variable, infinite loop, inner loop, iteration, loop blocking, loop body, loop collapsing, loop distribution, loop exit, loop fission, loop fusion, loop header, loop interchange, loop invariant, loop inversion, loop optimization, loop parallelization, loop peeling, loop repeat, loop splitting, loop statement, loop termination, loop transformation, loop unrolling, loop unswitching, loop variable, loop vectorization, wait loop2) петляв теории графов - ребро, которое соединяет вершину саму с собойсм. тж. graph3) петля, кольцо, контур4) (см. тж. looping) - зацикливание [пакетов]в компьютерной сети - ситуация, когда пакеты передаваемых данных не попадают к адресату, а просто постоянно проходят по некоторой круговой последовательности сетевых узлов (network node)5) двигаться по кругу; проходить циклнапример, the inner loop counter loops five times - внутренний цикл прокрутится пять разАнгло-русский толковый словарь терминов и сокращений по ВТ, Интернету и программированию. > loop
-
4 variable
1) переменная2) изменяемый; переменный; регулируемый•- additional variable
- allocated variable
- alphanumeric string variable
- alphameric string variable
- anonimous variable
- apparent variable
- artificial variable
- attached variable
- automatic variable
- auxiliary variable
- based variable
- basic variable
- Boolean variable
- bound variable
- chance variable
- character variable
- compile time variable
- complemented variable
- conditional variable
- control variable
- controlled variable
- decision variable
- dependent variable
- design variable
- digital variable
- dummy variable
- element variable
- endogenous variable - exogenous variable
- file-name variable
- file variable
- fixed variable
- free variable
- fuzzy variable
- global variable
- independent variable
- induction variable
- input variable - key variable
- label variable
- local variable
- logical variable
- logic variable
- loop-control variable
- loop variable
- main variable
- manipulated variable
- master variable
- metalinguistic variable
- missing variable
- morphic variable
- multicharacter variable
- mutually independent variables
- noncontrollable variable
- normalized variable
- notation variable
- operator variable
- output variable
- pointer variable
- predicate variable
- private variable
- process variable
- quantified variable
- random variable
- real variable
- regulated variable
- scalar variable
- selected variable
- shared variable
- simple variable
- slack variable
- slave variable
- state variable
- statement label variable
- status variable
- stochastic variable
- structure variable
- subscripted variable
- switching variable
- switch variable
- syntactic variable
- system variable
- task variable
- temporary variable
- ternary-valued variable
- top variable
- two-state variable
- two-valued variable
- unassigned variable
- unbound variable
- uncomplemented variable
- uncontrollable variable
- undeclared variable
- undefined variable
- uninitialized variable
- unregulated variable
- unrestricted variableEnglish-Russian dictionary of computer science and programming > variable
-
5 variable
= var1) переменнаяа) в процедурном программировании и ООП - именованная область памяти данных, которой программно можно присваивать разные значения (variable value), считывать их и модифицировать. Таким образом, содержимое ячеек этой памяти - это текущее значение переменной. Для использования переменной в программе её необходимо (явно или неявно) объявить: присвоить идентификатор (identifier) и задать тип.Every variable must have a type that precedes its name. — Каждая переменная должна иметь тип, который (при объявлении переменной) предшествует её имени. Тип переменной определяет, какие возможные значения она может принимать и какие операции над ней можно выполнять. Соответствие типа переменной и её использования проверяется во время компиляции программы. В большинстве ЯВУ переменная перед тем, как её можно будет использовать в программе, должна быть инициализирована, т. е. ей необходимо присвоить начальное значение (initial value). До инициализации значение переменных неопределено (см. uninitialized variable) и их использование в программе диагностируется компилятором как ошибка. По области действия различают локальные (local variable) и глобальные (global variable) переменные
б) в языках функционального и логического программирования - переменная означает неизвестную величинусм. тж. anonymous variable, array variable, automatic variable, binary variable, byte variable, character variable, class variable, declare, definitional domain, dynamic variable, environment variable, expression, file variable, independent variable, induction variable, instance variable, integer variable, key variable, literal, loop variable, named variable, pointer variable, private variable, procedure variable, qualifier, reference variable, register variable, scalar variable, state variable, static variable, string variable, system variable, variable list, variable name, variable renaming2) изменчивый, непостоянный, изменяющийсяАнгло-русский толковый словарь терминов и сокращений по ВТ, Интернету и программированию. > variable
-
6 compiler optimization
один из этапов компиляции, на котором с помощью методов оптимизации происходит преобразование программы, сохраняющее её семантику, но уменьшающее размер кода и/или время выполнения. Как правило, уменьшение размера кода увеличивает время выполнения, и наоборот. Поскольку ручная оптимизация программы стоит дорого и занимает много времени, а программисты, работающие на ЯВУ, обычно не знают тонкостей архитектуры конкретного целевого процессора, то сейчас кроме редких случаев используется оптимизация при компиляции, когда компилятор автоматически выбирает наиболее эффективный способ оптимизации и детали реализации в соответствии с заданным уровнем оптимизациисм. тж. antidependence, branch deletion, automatic parallelization, constant folding, constant propagation, control dependence, copy propagation, CSE, data dependence, dead statement, expression folding, fission by name, global forward substitution, GVN, hand optimization, intermediate representation, interprocedural optimization, jump threading, lazy evaluation, induction variable, instruction scheduling, instruction selection, local optimization, loop collapsing, loop invariant code motion, loop inversion, loop parallelization, loop optimization, loop peeling, loop skewing, loop splitting, loop tiling, loop transformation, loop unrolling, loop unrolling and jamming, loop unswitching, loop unwinding, loop vectorization, LNO, optimization, optimization technique, optimizing compiler, output dependence, partial evaluation, peephole optimization, polytope model, PRE, redundant-test elimination, register allocation, register spilling, scalar replacement, SSA, static analysis, strength reduction, strip mining, test promotion, trace scheduling, true dependence, two-version loop, vectorizationАнгло-русский толковый словарь терминов и сокращений по ВТ, Интернету и программированию. > compiler optimization
-
7 system
1) система; сеть; комплекс2) установка, устройство3) план; расположение4) система; порядок; классификация•- system of catalogs - system of catalogues - system of forces - system of ground points - system of road signs - system of scaffolds - acoustic signalling system - active residential solar heating system - aeration system - air-brake system - air-comfort system - air-conditioning system - air-curtain system - air-foam system - airline system - airline vacuum system - air-pressure water system - all-outside air-conditioning system - arch system - arch-and-pier system - audible alarm system - Automated Data Management System in Building - ADMSB - automatic fire alarm system - balanced system of ventilation - bar system - basic system - beam system - blower system - British absolute system of units - building system - building central air conditioning system - building solar optical system - bypass pipe system - cable system - cantilever tieback system - cathodic protection system of pipelines - central fan electric heating system - central hot water supply system - check-board system - circulating water system - closed system - closed heat supply system - closed pipeline system - collecting system - colour spraying systems - combined extract-and-input system - combined sewerage system - community complete system in containers or skids - composite cable roof system - compressed-air system - computer-aided system - consolidated power system - control system of survey - cooling system - cooling pipe system - coordinate system - curing system - decimal system - designation system - discrete system - discrete-continual system - distributing system - district heating system - double-pipe system - double-pipeline system - double-pipe riser system - downward system of ventilation - drainage system - drencher system - drop system - dry pipe sprinkler system - dry return system - duct system - earthling system - ejector system - elastic system - electric heating system - embedded panel system - emergency power supply system - energy recovery system - engineer's system of units - filling system of navigation lock - filtration system - fire-alarm sounding system - fire-fighting system - fire-sprinkling system - fire warning system - fixing systems - flange system - flooding system - floor system - floor system of bridge - floor heating system - flow-through system - flue gas cleaning system - fluid power system - forced circulation system - four-axis system - framed system - gas heating system - glaze systems - gravity system - gravity water supply system - grid system - hazard system - heating system - heat pump system - heat supply system - high pressure air-conditioning system - high velocity air-conditioning system - hinged system - hoisting system - hot air system - hot blast system - hot water supply system - inflation system - instantaneously variable system - integral deck system - integrated dispatching system - invariable system - ion-exchange system - irrigation system - land system - large public water system - lateral system - left-handed system - lighting system - local air-conditioning system - lock-filling system - long-line system - low pressure air-conditioning system - low velocity air-conditioning system - low voltage system - main system - management system - measuring system - mechanical systems of a house - medium-size public water system - membrane system - metric system - modular coordinating space system - monitoring system - multistage gas supply system - network system - observing system - once-through system - one-layer cable system - one-pipe heating system - one-pipe loop system - open system - open heat supply system - open return system - overhead system of heating - overhead heating system - panel air system - panel cooling system - pipeline system - piping system - plane system - plumbing system - pollution control system - population settlement group system - post-tensioned system - potabilization system - power system - power-reservoir system - pressurized water treatment system - pre-tensioned system - primary system - public transport system - public water system - public waterworks system - quality control system - quarternary system - railroad system - recirculated heating system - recirculation duct air conditioning system - recool system - rectangular system of street layout - reliability coefficients system - remote control system - reusing water supply system - rigid cable roof system - ring heating system - roll-cap system - round duct system - safety valve of a hydraulic system - saprobity system - separate sewerage system - septic system - sewerage system - single duct air-conditioning system - single-stage system - single-track automatic block system - slab-stringer system - smoke-detector system - solar aquatic system - solar cooling system - solar heating system - solar thermal power system - space system - split system - sprinkler system - statically determinate system - statically indeterminate system - steel plate system - structural system - supply air system - suspension system - thermal reheat system - three-dimensional system - three-way system of reinforcement - thrust system - total energy system - two-dimensional system - two-duct air-conditioning system - two-layer cable roof system - two-pipe water heating system - underfloor heating system - underground cable system - unified modular coordination system - universal sewerage system - upfeed water heating system - up-lighting system - utility system - utility detection system - vacuum system - vandalproof system - variable air volume system - ventilation system - warning system - waste treatment system - waste water system - water system - water measuring systems - water purification system - water quality system - water quality indicator system - water supply system - water supply by zones system - water treatment systems - wind bracing system - zone system* * *1. система; сеть (напр. трубопроводов); устройство2. способ, метод- system of forcessystem in equilibrium — равновесная система, система в состоянии равновесия
- system of masses
- system of scaffolds
- ABC system
- AC system
- acoustical ceiling system
- active solar energy system
- aesthetic value system
- air classification system
- air cycle refrigerating system
- airfield soil classification system
- air pollution control system
- air-to-air system
- air-to-water system
- air transport system
- alarm system
- all-air system
- all outside air system
- all-water coil system
- all water fan coil system
- approach lighting system
- arterial system
- Atterberg soil classification system
- audio alarm system
- automated casting system
- automatic fire alarm system
- automatic fire protection system
- automatic flushing system
- balanced system
- balanced system of streets
- balanced ventilation system
- bar system
- beam structural system
- bell alarm system
- Benoto piling system
- bivalent heat pump system
- bleed-in system
- blow and exhaust system
- blow through air-conditioning system
- blow through fan system
- bootstrap system
- box system
- bridge deck structured system
- British soil classification system
- building system
- building automation system
- building-drainage system
- building gravity drainage system
- building management system
- built-in dust suppression system
- burglar alarm system
- cable system
- central air heating system
- central fan system
- centralized hot-water supply system
- central plant air conditioning system
- changeover system
- circulating system
- circulation water supply system
- circulation water system
- closed system
- closed heat-supply system
- closed-loop heat pump system
- closed-type steam heating system
- coding system
- cogeneration system
- cold supply system
- collapsing-ring bridge rail system
- combined drainage system
- combined sewage system
- complanar system of structural members
- complanar force system
- complete-mix activated sludge system
- composite frame system
- compression system
- concrete suspended flooring system
- constant volume system
- continuous conveying system
- continuous suspension system
- control system
- cooling system
- coordinate system
- cost-efficient floor system
- crossbar approach lighting system
- cross blow ventilation system
- curtain walling system
- custom forming system
- decentralized air conditioning system
- decentralized sewerage system
- deluge sprinkler system
- desiccant cooling system
- designation system
- design-built system
- diffusion-absorption system
- digital indicating system
- direct system
- direct air heating system
- direct cooling system
- direct expansion system
- direct hot water system
- direct hot-water supply system
- direct return system
- direct through air-conditioning system
- distribution system
- domestic hot water system
- domestic sewerage system
- "Dot" recording system
- double-pipe system
- double stack system
- down-feed system
- drainage system
- draw-in system
- draw-through fan system
- draw-through system
- drencher system
- drop system
- dry-pipe sprinkler system
- dual conduit system
- duct system
- ductless split air conditioning system
- dust collecting system
- dust extract system
- early warning system
- economical floor system
- ejector refrigerating system
- elastic mechanical system
- elastic system
- electric heating system
- electric reheat system
- energy management system
- environmental system
- exhaust system
- extract system
- FAA soil classification system
- fan coil system
- Federal aviation administration soil classification system
- fire alarm system
- fire-extinguishing system
- fire protection system
- flat plate-pipe column floor system
- floor structural system
- floor system
- flow-through system
- F-number system
- force system
- forming-and-reinforcing system
- Forton system
- four pipe system
- gantry crane system
- gas heating system
- gravity system
- gravity-flow heating system
- gravity sewerage system
- gravity steam heating system
- gravity water-supply system
- grid coordinate system
- gridiron distribution system
- grounding system
- groundwater control system
- group water supply system
- gyratory system
- heat distribution system
- heating system
- heat-of-light system
- heat pump system
- heat recovery system
- heat supply system
- heat-traced system
- high-intensity lighting system
- high temperature hot-water heating system
- high velocity system
- hold-over system
- holonomic system
- hot-air system
- hot water system
- hot-water circulation system
- hush piling system
- hybrid system
- hydraulic control system
- hydrophilic system
- hydrophobic system
- indirect expansion system
- indirect hot-water supply system
- indirect refrigeration system
- individual sewage-disposal system
- induction air conditioning system
- induction system
- industrialized building systems
- inflation system
- instrument landing system
- integral deck system
- integrated distribution floor system
- inverter driven VRV system
- Jackson system
- land system
- large panel system
- lighting system
- line system
- liquid overfeed system
- local sewerage system
- low-pressure system
- low pressure hot water system
- low velocity system
- main system
- maintenance management system
- mass transit system
- materials-handling system
- mechanical system
- mechanical refrigerating system
- mechanical supply system
- medium pressure hot water system
- medium temperature hot water system
- microbore heating system
- modular system
- modular air conditioning system
- modular compression sealing system
- modular decking system
- modular precast building system
- multiple-degree system
- multiple web system
- multiple well system
- multistage gas-supply system
- multizone system
- municipal piping system
- nail-free formwork system
- non-changeover system
- octopus duct system
- oil fired heating system
- once-through water-supply system
- one-degree system
- one-duct air-conditioning system
- one-pipe system
- one-pipe loop system
- one-way system
- open system
- open expansion tank system
- open-loop control system
- open return system
- open steam heating system
- operation system
- overhead heating system
- overhead runway system
- packaged cogeneration system
- panel air-conditioning system
- panel air system
- panel-lock system
- partially-separate system
- piping system
- plane system of forces
- plane grid system
- plenum system
- plumbing system
- pneumatic conveying system
- post-tensioning system
- preaction sprinkler system
- prefabricated pipe conduit system
- pressurization system
- pressurized heating system
- pressurized hot water system
- primary-secondary system
- principal system
- public system
- public waterwork system
- push-through fan system
- push-through system
- quality system
- rail mounted track laying system
- raised floor system
- rapid transport system
- recool system
- recycling system
- recycling water system
- redundant bridge system
- refrigerating system
- regenerative air cycle system
- regional settlement system
- reheat system
- return system
- return air system
- reverse return system
- reverse return upfeed system
- rising heating system
- road system
- roofing system
- run-around system
- safety system
- scraper system
- sealed heating system
- security system
- self-climbing form system
- separate sewerage system
- separate system
- series loop system
- sewage system
- shunt system
- single-degree-of-freedom system
- single-degree system
- single duct air conditioning system
- single-pipe heating system
- single-pipe heat-supply system
- single-stack plumbing system
- single-storey heating system
- single web system
- single-zone air-conditioning system
- slab-stringer system
- small bore heating system
- smoke control system
- smoke extract ventilation system
- soil system
- soil absorption system
- solar heating system
- solid fuel heating system
- split system
- sprinkler system
- state plane coordinate system
- statically determinate system
- statically indeterminate system
- stationary system of loads
- steam heating system
- steel plate system
- storm sewer system
- structural system
- structural monitoring system
- sub-atmospheric heating system
- subbuilding drainage system
- subsurface drainage system
- subsurface sewage disposal system
- supply air system
- supporting formwork system
- suspension structural system
- swing joint system
- taxiway system
- telpher system
- terminal reheat system
- thermal storage heating system
- thermosiphon system
- three-pipe system
- three-pipe air-conditioning system
- three-pipe heat supply system
- total energy system
- track laying system
- trench shoring system
- trussed system
- truss-supported deck system
- tube cleaning system
- two-degree-of-freedom system
- two-degree system
- two-pipe system
- two value system of proportional balancing
- two value system
- two-way system
- underfloor conduit system
- unvented system
- up-feed heating system
- utility detection system
- vacuum heating system
- vacuum return system
- vacuum waste disposal system
- variable air volume system
- variable refrigerant volume system
- variable volume system
- variable water volume system
- VAV system
- vented system
- ventilation system
- VRV system
- VWV system
- warning system
- water-air heating system
- water booster system
- water-supply system
- water-to-air system
- water-to-water system
- wellpoint system
- wet return system
- wind framing system
- wire cable control system
- wiring system
- zoned system
- zone reheat system -
8 system
- system
- n1. система; сеть (напр. трубопроводов); устройство
2. способ, метод
system in equilibrium — равновесная система, система в состоянии равновесия
- system of forces
- system of masses
- system of scaffolds
- ABC system
- AC system
- acoustical ceiling system
- active solar energy system
- aesthetic value system
- air classification system
- air cycle refrigerating system
- airfield soil classification system
- air pollution control system
- air-to-air system
- air-to-water system
- air transport system
- alarm system
- all-air system
- all outside air system
- all-water coil system
- all water fan coil system
- approach lighting system
- arterial system
- Atterberg soil classification system
- audio alarm system
- automated casting system
- automatic fire alarm system
- automatic fire protection system
- automatic flushing system
- balanced system
- balanced system of streets
- balanced ventilation system
- bar system
- beam structural system
- bell alarm system
- Benoto piling system
- bivalent heat pump system
- bleed-in system
- blow and exhaust system
- blow through air-conditioning system
- blow through fan system
- bootstrap system
- box system
- bridge deck structured system
- British soil classification system
- building system
- building automation system
- building-drainage system
- building gravity drainage system
- building management system
- built-in dust suppression system
- burglar alarm system
- cable system
- central air heating system
- central fan system
- centralized hot-water supply system
- central plant air conditioning system
- changeover system
- circulating system
- circulation water supply system
- circulation water system
- closed system
- closed heat-supply system
- closed-loop heat pump system
- closed-type steam heating system
- coding system
- cogeneration system
- cold supply system
- collapsing-ring bridge rail system
- combined drainage system
- combined sewage system
- complanar system of structural members
- complanar force system
- complete-mix activated sludge system
- composite frame system
- compression system
- concrete suspended flooring system
- constant volume system
- continuous conveying system
- continuous suspension system
- control system
- cooling system
- coordinate system
- cost-efficient floor system
- crossbar approach lighting system
- cross blow ventilation system
- curtain walling system
- custom forming system
- decentralized air conditioning system
- decentralized sewerage system
- deluge sprinkler system
- desiccant cooling system
- designation system
- design-built system
- diffusion-absorption system
- digital indicating system
- direct system
- direct air heating system
- direct cooling system
- direct expansion system
- direct hot water system
- direct hot-water supply system
- direct return system
- direct through air-conditioning system
- distribution system
- domestic hot water system
- domestic sewerage system
- "Dot" recording system
- double-pipe system
- double stack system
- down-feed system
- drainage system
- draw-in system
- draw-through fan system
- draw-through system
- drencher system
- drop system
- dry-pipe sprinkler system
- dual conduit system
- duct system
- ductless split air conditioning system
- dust collecting system
- dust extract system
- early warning system
- economical floor system
- ejector refrigerating system
- elastic mechanical system
- elastic system
- electric heating system
- electric reheat system
- energy management system
- environmental system
- exhaust system
- extract system
- FAA soil classification system
- fan coil system
- Federal aviation administration soil classification system
- fire alarm system
- fire-extinguishing system
- fire protection system
- flat plate-pipe column floor system
- floor structural system
- floor system
- flow-through system
- F-number system
- force system
- forming-and-reinforcing system
- Forton system
- four pipe system
- gantry crane system
- gas heating system
- gravity system
- gravity-flow heating system
- gravity sewerage system
- gravity steam heating system
- gravity water-supply system
- grid coordinate system
- gridiron distribution system
- grounding system
- groundwater control system
- group water supply system
- gyratory system
- heat distribution system
- heating system
- heat-of-light system
- heat pump system
- heat recovery system
- heat supply system
- heat-traced system
- high-intensity lighting system
- high temperature hot-water heating system
- high velocity system
- hold-over system
- holonomic system
- hot-air system
- hot water system
- hot-water circulation system
- hush piling system
- hybrid system
- hydraulic control system
- hydrophilic system
- hydrophobic system
- indirect expansion system
- indirect hot-water supply system
- indirect refrigeration system
- individual sewage-disposal system
- induction air conditioning system
- induction system
- industrialized building systems
- inflation system
- instrument landing system
- integral deck system
- integrated distribution floor system
- inverter driven VRV system
- Jackson system
- land system
- large panel system
- lighting system
- line system
- liquid overfeed system
- local sewerage system
- low-pressure system
- low pressure hot water system
- low velocity system
- main system
- maintenance management system
- mass transit system
- materials-handling system
- mechanical system
- mechanical refrigerating system
- mechanical supply system
- medium pressure hot water system
- medium temperature hot water system
- microbore heating system
- modular system
- modular air conditioning system
- modular compression sealing system
- modular decking system
- modular precast building system
- multiple-degree system
- multiple web system
- multiple well system
- multistage gas-supply system
- multizone system
- municipal piping system
- nail-free formwork system
- non-changeover system
- octopus duct system
- oil fired heating system
- once-through water-supply system
- one-degree system
- one-duct air-conditioning system
- one-pipe system
- one-pipe loop system
- one-way system
- open system
- open expansion tank system
- open-loop control system
- open return system
- open steam heating system
- operation system
- overhead heating system
- overhead runway system
- packaged cogeneration system
- panel air-conditioning system
- panel air system
- panel-lock system
- partially-separate system
- piping system
- plane system of forces
- plane grid system
- plenum system
- plumbing system
- pneumatic conveying system
- post-tensioning system
- preaction sprinkler system
- prefabricated pipe conduit system
- pressurization system
- pressurized heating system
- pressurized hot water system
- primary-secondary system
- principal system
- public system
- public waterwork system
- push-through fan system
- push-through system
- quality system
- rail mounted track laying system
- raised floor system
- rapid transport system
- recool system
- recycling system
- recycling water system
- redundant bridge system
- refrigerating system
- regenerative air cycle system
- regional settlement system
- reheat system
- return system
- return air system
- reverse return system
- reverse return upfeed system
- rising heating system
- road system
- roofing system
- run-around system
- safety system
- scraper system
- sealed heating system
- security system
- self-climbing form system
- separate sewerage system
- separate system
- series loop system
- sewage system
- shunt system
- single-degree-of-freedom system
- single-degree system
- single duct air conditioning system
- single-pipe heating system
- single-pipe heat-supply system
- single-stack plumbing system
- single-storey heating system
- single web system
- single-zone air-conditioning system
- slab-stringer system
- small bore heating system
- smoke control system
- smoke extract ventilation system
- soil system
- soil absorption system
- solar heating system
- solid fuel heating system
- split system
- sprinkler system
- state plane coordinate system
- statically determinate system
- statically indeterminate system
- stationary system of loads
- steam heating system
- steel plate system
- storm sewer system
- structural system
- structural monitoring system
- sub-atmospheric heating system
- subbuilding drainage system
- subsurface drainage system
- subsurface sewage disposal system
- supply air system
- supporting formwork system
- suspension structural system
- swing joint system
- taxiway system
- telpher system
- terminal reheat system
- thermal storage heating system
- thermosiphon system
- three-pipe system
- three-pipe air-conditioning system
- three-pipe heat supply system
- total energy system
- track laying system
- trench shoring system
- trussed system
- truss-supported deck system
- tube cleaning system
- two-degree-of-freedom system
- two-degree system
- two-pipe system
- two value system of proportional balancing
- two value system
- two-way system
- underfloor conduit system
- unvented system
- up-feed heating system
- utility detection system
- vacuum heating system
- vacuum return system
- vacuum waste disposal system
- variable air volume system
- variable refrigerant volume system
- variable volume system
- variable water volume system
- VAV system
- vented system
- ventilation system
- VRV system
- VWV system
- warning system
- water-air heating system
- water booster system
- water-supply system
- water-to-air system
- water-to-water system
- wellpoint system
- wet return system
- wind framing system
- wire cable control system
- wiring system
- zoned system
- zone reheat system
Англо-русский строительный словарь. — М.: Русский Язык. С.Н.Корчемкина, С.К.Кашкина, С.В.Курбатова. 1995.
-
9 method
1) метод; приём; способ2) методика3) технология4) система•- accelerated strength testing method-
benching method-
bullhead well control method-
electrical-surveying method-
electromagnetic surveying method-
long-wire transmitter method-
operational method-
rule of thumb method-
straight flange method of rolling beams-
symbolical method-
tee-test method-
testing method-
triangulation method-
value-iteration method -
10 motor
1) двигатель, проф. мотор3) автомобиль•-
abutment motor
-
ac converter-fed motor
-
ac electronic motor
-
ac motor
-
across-the-line motor
-
actuating motor
-
acyclic motor
-
adjustable varying-speed motor
- adjustable-constant speed motor -
adjustable-speed motor
-
air motor
-
all-watt motor
-
appliance motor
-
arch induction motor
-
armature-controlled motor
-
asynchronous motor
-
autosyn motor
-
autosynchronous motor
-
auxiliary motor
-
axial piston motor
-
axial-piston air motor
-
axle-hung motor
-
azimuth torque motor
-
barring motor
-
bipolar motor
-
booster motor
-
boost motor
-
brake motor
-
brushless dc linear motor
-
brushless motor
-
built-in motor
-
cage motor
-
capacitor motor
-
capacitor-start motor
-
capacitor-start-and-capacitor-run motor
-
changeable-pole motor
-
change-pole motor
-
change-speed motor
-
commutator motor
-
commutatorless motor
-
compensated induction motor
-
compensated motor
-
compensated linear induction motor
-
compound-wound motor
-
compound motor
-
concatenated motor
-
condenser motor
-
constant displacement motor
-
constant-current motor
-
constant-speed motor
-
constant-voltage motor
-
control motor
-
crane motor
-
cranking motor
-
crowd motor
-
crystal-controlled motor
-
current-displacement motor
-
cylindrical-rotor motor
-
dc electronic motor
-
dc motor
-
dc torque motor
-
deep bar motor
-
differential motor
-
digital motor
-
double-armature motor
-
double-commutator motor
-
double-deck induction motor
-
double-side linear motor
-
double-speed motor
-
double-squirrel cage motor
-
doubly-fed motor
-
downhole motor
-
drag-cup induction motor
-
drag-cup motor
-
dripproof motor
-
drive motor
-
driving motor
-
drooping speed motor
-
drum-wound motor
-
dual-voltage motor
-
dustproof motor
-
efficient motor
-
electric controlling motor
-
electric downhole motor
-
electric motor
-
electric starting motor
-
electrohydraulic pulse motor
-
electronically commutated brush-less dc motor
-
electrostatic motor
-
enclosed fan-cooled motor
-
enclosed self-cooled motor
-
enclosed self-ventilated motor
-
enclosed separately ventilated motor
-
enclosed-type motor
-
energy efficient motor
-
energy saver motor
-
erection torque motor
-
explosion-proof motor
-
fan-duty motor
-
fan motor
-
feathering motor
-
feed motor
-
flange-mounted motor
-
flange motor
-
floor-mounted motor
-
floor motor
-
follow-up motor
-
forced-ventilation motor
-
fractional horsepower motor
-
fully enclosed motor
-
gear hydraulic motor
-
geared motor
-
gear motor
-
geared starter motor
-
gearless motor
-
general-purpose motor
-
handgrip motor
-
high-phase order induction motor
-
high-slip induction motor
-
high-slip motor
-
high-speed motor
-
high-voltage motor
-
home-going motor
-
hydraulic downhole motor
-
hydraulic motor
-
hydraulic step motor
-
hydraulic turbine downhole motor
-
hydraulic wheel motor
-
hysteresis synchronous motor
-
hysteresis-reluctance motor
-
induction motor
-
inductor motor
-
integrated motor
-
interpole motor
-
leveling torque motor
-
linear induction motor
-
linear motor
-
linear pulse motor
-
linear reluctance motor
-
linear synchronous motor
-
line-fed motor
-
line-start motor
-
load-start motor
-
low-inertia high-torque motor
-
machine-tool motor
-
main motor
-
mine motor
-
mud motor
-
multiple-winding motor
-
multipolar motor
-
multipole motor
-
multispeed motor
-
navy motor
-
needle positioning clutch motor
-
nonreversible motor
-
nonsalient pole motor
-
one-cylinder motor
-
open motor
-
open-loop stepping motor
-
outboard motor
-
outdoor motor
-
permanent-magnet motor
-
phase-wound rotor motor
-
photovoltaic motor
-
pilot motor
-
piston hydraulic motor
-
pitch erection torque motor
-
PM motor
-
point motor
-
pole-changing motor
-
polyphase motor
-
pony motor
-
power plant motor
-
printed-circuit motor
-
programmable drive motor
-
propel motor
-
propulsion motor
-
quiet low rpm induction motor
-
railway motor
-
reactor-start motor
-
reactor-start split-phase motor
-
reciprocating motor
-
reduction motor
-
reluctance motor
-
reluctance-augmented shaded-pole motor
-
repulsion motor
-
repulsion-start induction-run motor
-
repulsion-start induction motor
-
resiliently mounted traction motor
-
resistance-start motor
-
reversible hydraulic motor
-
reversible motor
-
reversing motor
-
roll erection torque motor
-
rotary-field motor
-
rotating case axial piston motor
-
rotating induction motor
-
round-rotor motor
-
screw hydraulic downhole motor
-
screw downhole motor
-
sectional downhole motor
-
self-controlled inverter-fed synchronous motor
-
self-controlled synchronous motor
-
self-excited motor
-
self-starting motor
-
self-ventilated motor
-
selsyn motor
-
semienclosed motor
-
semiclosed motor
-
separately excited motor
-
series-wound motor
-
series motor
-
servo motor
-
shaded-pole motor
-
shaftless motor
-
shell-type motor
-
shielded pole motor
-
short motor
-
shunt-wound motor
-
shunt motor
-
single-frame motor
-
single-phase motor
-
single-side linear motor
-
slave motor
-
slaving torque motor
-
slip-ring induction motor
-
slip-ring motor
-
special-purpose motor
-
splash-proof motor
-
split-field motor
-
split-phase motor
-
split-pole motor
-
squirrel-cage induction motor
-
squirrel-cage motor
-
starter motor
-
starting motor
-
steering electric motor
-
step-by-step motor
-
step motor
-
stepper motor
-
stepping motor
-
subfractional horsepower electrical motor
-
submersible motor
-
superconducting motor
-
switch motor
-
synchro motor
-
synchronous motor
-
take-home motor
-
tap-field motor
-
three-phase motor
-
throttle servo motor
-
thyratron motor
-
thyristor-controlled motor
-
thyristor motor
-
torque motor
-
totally enclosed motor
-
toy motor
-
traction motor
-
turbine air motor
-
turbine motor
-
two direction hydraulic motor
-
two-phase motor
-
two-pole motor
-
two-speed motor
-
two-value capacitor motor
-
undulated-current motor
-
universal motor
-
unlaminated-rotor induction motor
-
vacuum motor
-
variable displacement hydraulic motor
-
variable speed dc motor
-
variable-speed motor
-
varying-speed motor
-
ventilated motor
-
vertical shaft motor
-
volumetric downhole motor
-
watertight motor
-
winding-duty motor
-
winding motor
-
wound-rotor induction motor -
11 system
система; установка; устройство; ркт. комплекс"see to land" system — система посадки с визуальным приземлением
A.S.I. system — система указателя воздушной скорости
ablating heat-protection system — аблирующая [абляционная] система тепловой защиты
ablating heat-shield system — аблирующая [абляционная] система тепловой защиты
active attitude control system — ксм. активная система ориентации
aft-end rocket ignition system — система воспламенения заряда с задней части РДТТ [со стороны сопла]
aircraft response sensing system — система измерений параметров, характеризующих поведение ЛА
air-inlet bypass door system — дв. система перепуска воздуха на входе
antiaircraft guided missile system — ракетная система ПВО; зенитный ракетный комплекс
antiaircraft guided weapons system — ракетная система ПВО; зенитный ракетный комплекс
attenuated intercept satellite rendez-vous system — система безударного соединения спутников на орбите
attitude and azimuth reference system — система измерения или индикации углов тангажа, крена и азимута
automatic departure prevention system — система автоматического предотвращения сваливания или вращения после сваливания
automatic drift kick-off system — система автоматического устранения угла упреждения сноса (перед приземлением)
automatic hovering control system — верт. система автостабилизации на висении
automatic indicating feathering system — автоматическая система флюгирования с индикацией отказа (двигателя)
automatic mixture-ratio control system — система автоматического регулирования состава (топливной) смеси
automatic pitch control system — автомат тангажа; автоматическая система продольного управления [управления по каналу тангажа]
B.L.C. high-lift system — система управления пограничным слоем для повышения подъёмной силы (крыла)
backpack life support system — ксм. ранцевая система жизнеобеспечения
beam-rider (control, guidance) system — ркт. система наведения по лучу
biowaste electric propulsion system — электрический двигатель, работающий на биологических отходах
buddy (refueling, tank) system — (подвесная) автономная система дозаправки топливом в полете
closed(-circuit, -cycle) system — замкнутая система, система с замкнутым контуром или циклом; система с обратной связью
Cooper-Harper pilot rating system — система баллов оценки ЛА лётчиком по Куперу — Харперу
deployable aerodynamic deceleration system — развёртываемая (в атмосфере) аэродинамическая тормозная система
depressurize the fuel system — стравливать избыточное давление (воздуха, газа) в топливной системе
driver gas heating system — аэрд. система подогрева толкающего газа
dry sump (lubrication) system — дв. система смазки с сухим картером [отстойником]
electrically powered hydraulic system — электронасосная гидросистема (в отличие от гидросистемы с насосами, приводимыми от двигателя)
exponential control flare system — система выравнивания с экспоненциальным управлением (перед приземлением)
flywheel attitude control system — ксм. инерционная система ориентации
gas-ejection attitude control system — ксм. газоструйная система ориентация
gas-jet attitude control system — ксм. газоструйная система ориентация
ground proximity extraction system — система извлечения грузов из самолёта, пролетающего на уровне земли
hot-air balloon water recovery system — система спасения путем посадки на воду с помощью баллонов, наполняемых горячими газами
hypersonic air data entry system — система для оценки аэродинамики тела, входящего в атмосферу планеты с гиперзвуковой скоростью
igh-temperature fatigue test system — установка для испытаний на выносливость при высоких температурах
interceptor (directing, vectoring) system — система наведения перехватчиков
ion electrical propulsion system — ксм. ионная двигательная установка
isotope-heated catalytic oxidizer system — система каталитического окислителя с нагревом от изотопного источника
jet vane actuation system — ркт. система привода газового руля
laminar flow pumping system — система насосов [компрессоров] для ламинаризации обтекания
launching range safety system — система безопасности ракетного полигона; система обеспечения безопасности космодрома
leading edge slat system — система выдвижных [отклоняемых] предкрылков
low-altitude parachute extraction system — система беспосадочного десантирования грузов с малых высот с использованием вытяжных парашютов
magnetic attitude control system — ксм. магнитная система ориентации
magnetically slaved compass system — курсовая система с магнитной коррекцией, гироиндукционная курсовая система
mass-expulsion attitude control system — система ориентации за счёт истечения массы (газа, жидкости)
mass-motion attitude control system — ксм. система ориентации за счёт перемещения масс
mass-shifting attitude control system — ксм. система ориентации за счёт перемещения масс
monopropellant rocket propulsion system — двигательная установка с ЖРД на унитарном [однокомпонентном] топливе
nucleonic propellant gauging and utilization system — система измерения и регулирования подачи топлива с использованием радиоактивных изотопов
open(-circuit, -cycle) system — открытая [незамкнутая] система, система с незамкнутым контуром или циклом; система без обратной связи
plenum chamber burning system — дв. система сжигания топлива во втором контуре
positioning system for the landing gear — система регулирования высоты шасси (при стоянке самолёта на земле)
radar altimeter low-altitude control system — система управления на малых высотах с использованием радиовысотомера
radar system for unmanned cooperative rendezvous in space — радиолокационная система для обеспечения встречи (на орбите) беспилотных кооперируемых КЛА
range and orbit determination system — система определения дальностей [расстояний] и орбит
real-time telemetry processing system — система обработки радиотелеметрических данных в реальном масштабе времени
recuperative cycle regenerable carbon dioxide removal system — система удаления углекислого газа с регенерацией поглотителя, работающая по рекуперативному циклу
rendezvous beacon and command system — маячно-командная система обеспечения встречи («а орбите)
satellite automatic terminal rendezvous and coupling system — автоматическая система сближения и стыковки спутников на орбите
Schuler tuned inertial navigation system — система инерциальной навигации на принципе маятника Шулера
sodium superoxide carbon dioxide removal system — система удаления углекислого газа с помощью надперекиси натрия
space shuttle separation system — система разделения ступеней челночного воздушно-космического аппарата
stellar-monitored astroinertial navigation guidance system — астроинерциальная система навигации и управления с астрокоррекцией
terminal control landing system — система управления посадкой по траектории, связанной с выбранной точкой приземления
terminal descent control system — ксм. система управления на конечном этапе спуска [снижения]
terminal guidance system for a satellite rendezvous — система управления на конечном участке траектории встречи спутников
test cell flow system — ркт. система питания (двигателя) топливом в огневом боксе
vectored thrust (propulsion) system — силовая установка с подъёмно-маршевым двигателем [двигателями]
water to oxygen system — ксм. система добывания кислорода из воды
wind tunnel data acquisition system — система регистрации (и обработки) данных при испытаниях в аэродинамической трубе
— D system -
12 motor
двигатель; мотор || двигательный; приводимый в движение двигателем- adjustable constant speed motor
- adjustable speed motor
- adjustable varying speed motor
- air motor
- air spindle motor
- air-bearing motor
- alternating current motor
- axial piston motor
- axis drive motor
- axis motor
- band drive motor
- blender motor
- brake motor
- brush-commutated motor
- brushless motor
- brush-type motor
- cage induction motor
- cage synchronous motor
- capacitor motor
- capacitor start and run motor
- capacitor start motor
- C-face motor
- change speed motor
- commutator motor
- compensated motor
- compositely excited motor
- compound motor
- compound-wound motor
- constant displacement motor
- constant speed motor
- control motor
- controlling motor
- coordinate drive motor
- coordinate motor
- corrector motor
- DC torque motor
- definite purpose motor
- Deri motor
- digital motor
- digital spindle motor
- direct current motor
- direct drive motor
- direct drive spindle motor
- double-acting hydraulic motor
- double-pole motor
- drill motor
- drive feed motor
- drive motor
- driving motor
- dual-field motor
- dual-winding motor
- electric feed motor
- electric torque motor
- electrohydraulic pulse motor
- electronic stepper motor
- erection torque motor
- feed air motor
- feed drive motor
- feed motor
- feed slide motor
- fixed displacement hydraulic motor
- fixed speed motor
- flange-mounted motor
- flat-sided motor
- fluid motor
- follow-up motor
- foot-mounted motor
- forward-and-reverse motor
- frameless brushless DC motor
- frequency regulated motor
- functional motor
- gear motor
- geared motor
- gear-type hydraulic motor
- general purpose motor
- grinding motor
- high-torque motor
- high-torque servo motor
- hydraulic control motor
- hydraulic cylinder motor
- hydraulic motor
- hysteresis motor
- indexing motor
- infeed motor
- integral-spindle motor
- integrated motor
- limited rotary hydraulic motor
- limited rotary pneumatic motor
- linear hydraulic motor
- linear motor
- linear pulse motor
- low-inertia high-torque motor
- low-inertia motor
- low-mass motor
- machine axis drive motor
- main drive motor
- main-spindle motor
- mill motor
- multiconstant speed motor
- multiple-acting motor
- multispeed motor
- multivarying speed motor
- nonreversing motor
- oil cooled motor
- open loop stepping motor
- orbital motor
- permanent magnet motor
- permanent split capacitor motor
- pistol grip motor
- piston motor
- piston-type limited rotary hydraulic motor
- PM motor
- PM step motor
- pneumatic motor
- pole-changing motor
- positioning motor
- positive displacement hydraulic motor
- power motor
- primary motor
- printed-circuit motor
- programmable drive motor
- programmable motor
- proportioning motor
- PWM-controlled motor
- radial drive motor
- radial piston motor
- rail traverse motor
- rapid advance motor
- reciprocating motor
- reciprocation motor
- reluctance motor
- repeater motor
- repulsion motor
- resistance start split phase motor
- reversible hydraulic motor
- reversible motor
- rotary abutment motor
- rotary diaphragm motor
- rotary hydraulic motor
- rotary motor
- rotary piston motor
- rotary pneumatic motor
- rotary vane motor
- rotodynamic hydraulic motor
- round rotor motor
- Schrage motor
- screw motor
- self-compensated motor
- self-excited motor
- self-feed drill motor
- separately excited motor
- series motor
- series-wound motor
- servo motor
- shaded pole motor
- short-circuited motor
- shunt motor
- shunt-wound motor
- sight-offset motor
- single-acting motor
- single-phase motor
- slip ring motor
- small-power motor
- special purpose motor
- speed-controlled motor
- spindle drive motor
- spindle rotation drive motor
- split phase motor
- split-series motor
- squirrel-cage induction motor
- squirrel-cage motor
- standard dimensioned motor
- starter motor
- starting motor
- steering motor
- step motor
- stepper motor
- stepping motor
- subfractional horsepower motor
- synchronous motor
- synchronous stepping motor
- three-phase motor
- thyristor-controlled motor
- thyristor-controlled servo motor
- tool head travel motor
- tool motor
- tool-indexing motor
- torque motor
- traction electric motor
- traction motor
- transistorized motor
- triple-wound motor
- two-direction hydraulic motor
- two-phase induction motor
- two-value capacitor motor
- two-winding motor
- universal motor
- valve control motor
- vane motor
- vane-type limited rotary hydraulic motor
- variable displacement hydraulic motor
- variable frequency AC motor
- variable speed motor
- varying speed motor
- vertical drive motor
- VR step motor
- washdown duty motor
- washdown motor
- watertight motor
- wound-rotor induction motor
- X-drive motor
- Y-drive motor
- Z-drive motorEnglish-Russian dictionary of mechanical engineering and automation > motor
-
13 system
system of axes3-component LDV system3-D LDV system4-D system4-D flight-management system4-D guidance systemAC electrical systemactuation systemaerial delivery systemaerostat systemAEW systemafterburning control systemAI-based expert systemaileron-to-rudder systemair bleed offtake systemair cushion systemair cycle systemair data systemair defence systemair induction systemair refueling systemair traffic control systemair-combat advisory systemair-conditioning systemair-path axis systemair-turbine starting systemairborne early warning systemaircooling systemaircraft reference axis systemaircraft weight-and-balance measuring systemaircraft-autopilot systemaircraft-based systemaircraft-bifilar-pendulum systemaircraft-carried earth axis systemaircraft-carried normal earth axis systemaircrew escape systemairfield lighting control systemairframe/rotor systemairspeed systemalcohol-wash systemalignment control systemall-electronic systemall-weather mission systemaltitude loss warning systemangle-of-attack command systemanti-collision systemanti-g systemantitorque systemanti-icing systemantiskid systemarea-navigation systemARI systemartificial feel systemartificial intelligence-based expert systemartificially augmented flight control systemATC systemattitude and heading reference systemaudio systemaudiovisual systemauto-diagnosis systemauto-hover systemautolanding systemautomatic cambering systemautomatic trim systemautostabilization systemautotrim systemaxis systemB systembalance-fixed coordinate systembase-excited systembasic axis systembeam-foundation systembifilar pendulum suspension systembladder systemblowing systemblowing boundary layer control systemblown flap systembody axis systembody axis coordinate systembody-fitted coordinate systembody-fixed reference systemboom systemboosted flight control systembraking systembreathing systembuddy-buddy refuelling systemcabin pressurization systemcable-mount systemCAD systemcanopy's jettison systemcardiovascular systemcargo loading systemcargo-handling systemcarrier catapult systemcartesian axis systemCat III systemcentral nervous systemCGI systemcirculating oil systemclosed cooling systemclosed-loop systemcockpit systemcockpit management systemcollision avoidance systemcombined cooling systemcommand-by-voice systemcommand/vehicle systemcommercial air transportation systemcompensatory systemcomputer-aided design systemcomputer-assisted systemcomputer-generated image systemcomputer-generated visual systemconcentrated-mass systemconflict-alert systemconservative systemconstant bandwidth systemconstant gain systemconsultative expert systemcontrol systemcontrol augmented systemcontrol loader systemcooling systemcoordinate systemcounterstealth systemcoupled systemcoupled fire and flight-control systemcovert mission systemcrew systemscueing systemcurvilinear coordinate systemdamped systemdata systemdata acquisition systemdata handling systemdata transfer systemdata-gathering systemDC electrical systemdecision support systemdefensive avionics systemdeicing systemdemisting systemdeparture prevention systemdeterministic systemdual-dual redundant system4-D navigation system6-DOF motion systemdiagnosable systemdial-a-flap systemdirect impingement starting systemdisplacement control systemdisplay systemdisplay-augmented systemdivergent systemDLC systemdogfight systemdoor-to-door systemDoppler ground velocity systemdouble-balance systemdrive systemdrive train/rotor systemdry air refueling systemdual-field-of-view systemdual-wing systemdynamic systemearly-warning systemEarth-centered coordinate systemearth-fixed axis systemearth/sky/horizon projector systemejection systemejection display systemejection seat escape systemejection sequence systemejector exhaust systemejector lift systemelection safety systemelectric starting systemelectro-expulsive deicing systemelectro-impulse deicing systemelectro-vibratory deicing systemelectronic flight instrumentation systemElint systememergency power systememitter locator systemEMP-protected systemengine monitoring systemengine-propeller systemengine-related systemenhanced lift systemenvelope-limiting systemenvironmental control systemescape systemexcessive pitch attitude warning systemexhaust systemFADEC systemfault-tolerant systemFBW systemfeathering systemfeedback systemfeel systemfin axis systemfire detection systemfire suppression systemfire-extinguishing systemfire-protection systemfive-point restraint systemfixed-structure control systemflap systemflap/slat systemflash-protection systemflexible manufacturing systemflight control systemflight control actuation systemflight director systemflight inspection systemflight management systemflight path systemflight path axis systemflight test systemflight-test instrumentation systemflotation systemfluid anti-icing systemflutter control systemflutter margin augmentation systemflutter suppression systemfluttering systemfly-by-light systemfly-by-light control systemfly-by-wire systemfly-by-wire/power-by-wire control systemfoolproof systemforce-excited systemforce-feel systemforward vision augmentation systemfuel conservative guidance systemfuel management systemfuel transfer systemfull-vectoring systemfull-authority digital engine control systemfull-motion systemfull-state systemfull-time systemfully articulated rotor systemfuselage axis systemg-command systemg-cueing systemg-limiting systemgas generator control systemgas turbine starting systemglobal positioning systemgoverning systemground collision avoidance systemground proximity warning systemground-axes systemground-fixed coordinate systemground-referenced navigation systemgust alleviation systemgust control systemgyroscopic systemgyroscopically coupled systemhalon fire-extinguishing systemhalon gas fire-fighting systemhands-off systemhead-aimed systemheadup guidance systemhelmet pointing systemhelmet-mounted visual systemhierarchical systemhigh-damping systemhigh-authority systemhigh-lift systemhigh-order systemhigh-pay-off systemhigh-resolution systemhigher harmonic control systemhose-reel systemhot-gas anti-icing systemhub plane axis systemhub plane reference axis systemhub-fixed coordinate systemhydraulic systemhydraulic starting systemhydropneumatic systemhydrostatic motion systemhysteretic systemice-protection systemicing cloud spray systemicing-protection systemidentification friend or foe systemimage generator systemin-flight entertainment systemincidence limiting systeminert gas generating systeminertial coordinate systeminertial navigation systeminertial reference systeminfinite-dimensional systeminformation management systeminlet boundary layer control systeminlet control systeminput systeminstruction systeminstrument landing systeminstrumentation systemintelligence systemintelligent systeminterconnection systemintermediate axis systemintrusion alarm systemintrusion detection systeminverted fuel systemlanding guidance systemlarge-travel motion systemlaser-based visual systemlateral attitude control systemlateral control systemlateral feel systemlateral seat restraint systemlateral-directional stability and command augmentation systemlead compensated systemleft-handed coordinate systemleg restraint systemlife support systemliferaft deployment systemlift-distribution control systemlighter-than-air systemlightly damped systemlightning protection systemlightning sensor systemlightning warning systemlimited-envelope flight control systemlinear vibrating systemliquid oxygen systemload control systemload indication systemlocal-horizon systemloom systemlow-damping systemlow-order systemLQG controlled systemlubrication systemlumped parameter systemMach number systemmain transmission systemmaintenance diagnostic systemmaintenance record systemman-in-the-loop systemman-machine systemmaneuver demand systemmaneuvering attack systemmass-spring-dashpot systemmass-spring-damper systemmast-mounted sight systemmechanical-hydraulic flight control systemmicrowave landing systemMIMO systemmine-sweeping systemmissile systemmissile-fixed systemmission-planning systemmobile aircraft arresting systemmodal cancellation systemmodal suppression systemmode-decoupling systemmodel reference systemmodel-based visual systemmodel-following systemmodelboard systemmolecular sieve oxygen generation systemmonopulse systemmotion systemmotion generation systemmulti-input single-output systemmulti-input, multi-output systemmultimode systemmultibody systemmultidegree-of-freedom systemmultiloop systemmultiple-input single output systemmultiple-input, multiple-output systemmultiple-loop systemmultiple-redundant systemmultiply supported systemmultishock systemmultivariable systemnavigation management systemnavigation/attack systemnavigation/bomb systemNDT systemneuromuscular systemnight/dusk visual systemportable aircraft arresting systemnitrogen inerting systemno-tail-rotor systemnonminimum phase systemnonoscillatory systemnonconservative systemnormal earth-fixed axis systemNotar systemnozzle control systemnuclear-hardened systemobserver-based systemobstacle warning systemoil systemon-board inert gas generation systemon-board maintenance systemon-board oxygen generating systemon-off systemone degree of freedom systemone-shot lubrication systemopen cooling systemopen seat escape systemopen-loop systemoperability systemoptic-based control systemoptimally controlled systemorthogonal axis systemoxygen generation systemparachute systempartial vectoring systempartial vibrating systemperformance-seeking systemperturbed systempilot reveille systempilot vision systempilot-aircraft systempilot-aircraft-task systempilot-in-the-loop systempilot-manipulator systempilot-plus-airplane systempilot-vehicle-task systempilot-warning systempilot/vehicle systempitch change systempitch compensation systempitch stability and command augmentation systempitch rate systempitch rate command systempitch rate flight control systempneumatic deicing systempneumatic ice-protection systempneumodynamic systemposition hold systempower systempower-assisted systempower-boosted systempowered high-lift systempowered-lift systemprecognitive systempressurization systempreview systemprobabilistically diagnosable systemprobe refuelling systempronated escape systempropeller-fixed coordinate systempropulsive lift systemproximity warning systempursuit systempush-rod control systemquantized systemrandom systemrating systemreconfigurable systemrectangular coordinate systemreduced-gain systemreference axis systemrefuelling systemremote augmentor lift systemremote combustion systemresponse-feedback systemrestart systemrestraint systemrestructurable control systemretraction systemride-control systemride-quality systemride-quality augmentation systemride-smoothing systemright-handed axis systemright-handed coordinate systemrigid body systemrobotic refueling systemrod-mass systemroll augmentation systemroll rate command systemrotating systemrotor systemrotor isolation systemrotor-body systemrotor-wing lift systemroute planner systemrudder trim systemrudder-augmentation systemsampled-data systemscheduling systemschlieren systemsea-based systemseat restraint systemseatback video systemself-adjoint systemself-contained starting systemself-diagnosable systemself-excited systemself-repairing systemself-sealing fuel systemself-tuning systemshadow-mask systemshadowgraph systemship-fixed coordinate systemshock systemshort-closed oil systemsighting systemsimulation systemsimulator-based learning systemsingle degree of freedom systemsingle-input multiple-output systemsingularly perturbed systemsituational awareness systemsix-axis motion systemsix-degree-of-freedom motion systemsix-puck brake systemski-and-wheel systemskid-to-turn systemsnapping systemsoft mounting systemsoft ride systemsound systemspeed-stability systemspherical coordinate systemspin recovery systemspin-prevention systemspring-mass-dashpot systemstability and control augmentation systemstability augmentation systemstability axis coordinate systemstability enhancement systemstall detection systemstall inhibitor systemstall protection systemstall warning systemstarting systemstealth systemstochastic systemstorage and retrieval systemstore alignment systemstores management systemstrap-down inertial systemstructural systemstructural-mode compensation systemstructural-mode control systemstructural-mode suppression systemSTT systemsuppression systemsuspension systemtactile sensory systemtail clearance control systemtail warning systemtask-tailored systemterrain-aided navigation systemterrain-referencing systemtest systemthermal control systemthermal protection systemthreat-warning systemthree-axis augmentation systemthree-body tethered systemthree-control systemthree-gyro systemthrough-the-canopy escape systemthrust modulation systemthrust-vectoring systemtilt-fold-rotor systemtime-invariant systemtime-varying systemtip-path-plane coordinate systemtorque command/limiting systemtractor rocket systemtrailing cone static pressure systemtraining systemtrajectory guidance systemtranslation rate command systemtranslational acceleration control systemtrim systemtrim tank systemtriple-load-path systemtutoring systemtwin-dome systemtwo degree of freedom systemtwo-body systemtwo-input systemtwo-input two-output systemtwo-pod systemtwo-shock systemtwo-step shock absorber systemunpowered flap systemunpowered high-lift systemutility services management systemvapor cycle cooling systemvariable feel systemvariable stability systemvariable structure systemvestibular sensory systemvibrating systemvibration isolation systemvibration-control systemvibration-damping systemvideo-disc-based visual systemvisor projection systemvisual systemvisual display systemvisual flying rules systemvisual sensory systemvisual simulation systemvisually coupled systemvoice-activated systemvortex systemvortex attenuating systemVTOL control systemwake-imaging systemwarning systemwater injection cooling systemwater-mist systemwater-mist spray systemweather systemwheel steering systemwide angle visual systemwind coordinate systemwind shear systemwind-axes systemwind-axes coordinate systemwind-fixed coordinate systemwing axis systemwing flap systemwing sweep systemwing-load-alleviation systemwing-mounted systemwing/propulsion systemwiring systemyaw vane system -
14 valve
1) клапан; вентиль2) задвижка; затвор4) кран5) мн. ч. вентильная арматура•to time the valves — регулировать газораспределение ( двигателя)-
2-axis hydraulic contouring valve
-
3-axis hydraulic contouring valve
-
3-position spring-centered selector valve
-
ac solenoid hydraulic directional valve
-
accumulator charging valve
-
accumulator unloading valve
-
adjustable valve
-
admission valve
-
ahead maneuvering valve
-
air control valve
-
air filler valve
-
air valve
-
air-gap armature hydraulic valve
-
air-operated valve
-
air-starting valve
-
air-steam relief valve
-
air-vent valve
-
alarm valve
-
aligned-grid valve
-
amplifier valve
-
angle valve
-
annular slide valve
-
antibackfire valve
-
antiicing shutoff valve
-
astern maneuvering valve
-
atmospheric steam dump valve
-
automatic changeover valve
-
auxiliary loop isolation valve
-
auxiliary valve
-
back pressure valve
-
back valve
-
backfire bypass valve
-
backflush valve
-
back-seating valve
-
backwash valve
-
baffle valve
-
balanced needle valve
-
balanced valve
-
balanced-disk valve
-
balanced-gate valve
-
ball and scat valve
-
ball seating action valve
-
ball shear action valve
-
ball valve
-
ball-operated pneumatic valve
-
beam-power valve
-
bin slide valve
-
blade-control valve
-
bleeder valve
-
bleed valve
-
block valve
-
blowing valve
-
blowoff valve
-
blowout valve
-
bottom discharge valve
-
bottom dump valve
-
bottom-hole valve
-
brake application valve
-
brake cylinder release valve
-
brake hydraulic valve
-
brake transmission valve
-
brake valve
-
breathing valve
-
bulkhead valve
-
bullet valve
-
butterfly valve
-
bypass proportional valve
-
bypass valve
-
cam-operated pneumatic valve
-
cargo oil valve
-
cargo valve
-
cartridge-type valve
-
casing fill-up valve
-
casing float valve
-
casing pressure operated gas lift valve
-
cement float valve
-
centrifugal reducing valve
-
changeover valve
-
charging valve
-
check valve
-
chimney slide valve
-
chimney valve
-
choke valve
-
Christmas-tree gate valve
-
Christmas-tree valve
-
combined stop and emergency valve
-
common slide valve
-
compartment valve
-
compensation valve
-
compression valve
-
compressor bleed valve
-
conditioned air emergency valve
-
conductor's valve
-
cone valve
-
control valve
-
converter valve
-
coolant flow-control valve
-
cooler bypass valve
-
copying valve
-
counterbalance valve
-
crankcase valve
-
crankcase ventilation valve
-
crossfeed valve
-
crude oil valve
-
cryogenic gate valve
-
cutoff valve
-
cutout valve
-
cylinder-operated pneumatic valve
-
cylindrical valve
-
damper valve
-
dc solenoid hydraulic directional valve
-
deceleration flow control valve
-
deceleration valve
-
deck drain valve
-
decompression pressure control valve
-
delivery valve
-
depress valve
-
detent-controlled valve
-
diaphragm seating action valve
-
diaphragm valve
-
differential lock valve
-
differential pressure control valve
-
differential relief valve
-
direct-acting valve
-
direct-admission valve
-
direction selector valve
-
directional control valve
-
directly operated valve
-
discharge valve
-
disk valve
-
distributing valve
-
distribution valve
-
diverter valve
-
double air-piloted valve
-
double-acting valve
-
double-check valve
-
double-seat valve
-
double-solenoid valve
-
drain valve
-
dual block gate valve
-
dual block valve
-
dump valve
-
duplex valve
-
duplicator valve
-
eduction valve
-
ejection valve
-
electric valve
-
electric-to-air valve
-
electrohydraulic servo valve
-
electromagnetic valve
-
electronic valve
-
emergency closing valve
-
emergency valve
-
emergency-braking valve
-
en-bloc directional control hydraulic valve
-
engine start valve
-
engineer's brake valve
-
equalizing tester valve
-
equalizing valve
-
escape valve
-
evaporator refrigerant valve
-
exhaust brake valve
-
exhaust valve
-
exit-juice valve
-
expansion valve
-
explosive valve
-
extraction valve
-
feeding valve
-
feed valve
-
feedwater valve
-
fill valve
-
five-port control valve
-
five-port valve
-
fixed flow control valve
-
fixed-dispersion cone valve
-
flap valve
-
flapper action valve
-
flapper valve
-
flat gate valve
-
flat valve
-
flat-scat fuel valve
-
Fleming valve
-
float valve
-
float-controlled gate valve
-
float-controlled valve
-
flooding valve
-
flood valve
-
flow control valve
-
flow directing valve
-
flow dividing valve
-
flow metering valve
-
flow restrictor valve
-
flow safety valve
-
flow summarizing valve
-
flow-regulating valve
-
fluid check valve
-
flushing and boost valve
-
follow valve
-
follower-ring gate valve
-
foot valve
-
foot-operated pneumatic valve
-
force motor valve
-
forcing valve
-
four/three-way hydraulic directional control valve
-
four-port control valve
-
four-port valve
-
four-way directional control valve
-
four-way valve
-
free-discharge valve
-
fuel shutoff valve
-
fuel supply valve
-
fuel valve
-
fuel-lock valve
-
fume valve
-
gas charging valve
-
gas cylinder valve
-
gas lift starting valve
-
gas lift valve
-
gas reversing valve
-
gate valve
-
geared valve
-
globe valve
-
guard valve
-
guard's valve
-
gulp valve
-
hand-operated valve
-
heat control valve
-
high-head regulating valve
-
high-pressure gate valve
-
high-pressure relief valve
-
holding valve
-
hollow-jet valve
-
hydraulic copying valve
-
hydraulic pressure gage selector valve
-
hydraulic valve
-
inclined valve
-
indirect-action valve
-
induction valve
-
injection valve
-
injector valve
-
inlet valve
-
in-line air valve
-
intake valve
-
intercept valve
-
interior differential needle valve
-
intermediate-plate type valve
-
internal check valve
-
inverted valve
-
ionic valve
-
isolation valve
-
jet action valve
-
jet-pipe valve
-
jettison valve
-
kelly safety valve
-
king valve
-
kingston valve
-
leak valve
-
lever safety valve
-
light valve
-
liquid-crystal valve
-
load dividing pressure control valve
-
lock emptying valve
-
lock filling valve
-
lock valve
-
low-cracking check valve
-
magnetic valve
-
main feedwater control valve
-
main loop isolation valve
-
main penstock valve
-
main pipeline gate valve
-
main pipeline valve
-
main steam stop valve
-
main tester valve
-
make-up valve
-
maneuvering valve
-
manifold air valve
-
manifold valve
-
manual valve
-
masked inlet valve
-
master control gate valve
-
master gate valve
-
master valve
-
measuring valve
-
membrane valve
-
mercury arc valve
-
mercury valve
-
metering valve
-
mixer valve
-
mod-logic pneumatic valve
-
modular hydraulic valves
-
modular-type control valve
-
modulating valve
-
moisture drain valve
-
motor-operated valve
-
multiple station isolator valve
-
multiple valve
-
multiway valve
-
mushroom valve
-
needle seating action valve
-
needle valve
-
neutralizer valve
-
new fuel entry valve
-
nonreturn valve
-
nozzle control valve
-
nozzle valve
-
oil drain valve
-
oil-controlled valve
-
oil-overflow valve
-
oil-pressure relief valve
-
oil-pressure valve
-
one-port control valve
-
one-port valve
-
one-stage valve
-
one-way control valve
-
one-way valve
-
on-off valve
-
open center valve
-
orchard valve
-
outboard valve
-
outlet valve
-
overflow valve
-
overlapped valve
-
overload valve
-
overrun valve
-
overspeed valve
-
palm button operated pneumatic valve
-
penstock valve
-
pet valve
-
pig scraper launching valve
-
pig launching valve
-
pig scraper receiver valve
-
pig receiver valve
-
pilot overspeed valve
-
pilot valve
-
pilot-actuated valve
-
pilot-controlled valve
-
pilot-operated check valve
-
pilot-operated valve
-
pipe valve
-
pipeline valves
-
piston valve
-
piston-operated spool valve
-
plug seating action valve
-
plug shear action valve
-
plug valve
-
pneumatic control valve
-
pneumatic time delay valve
-
pneumatic valve
-
poppet valve
-
poppet-operated pneumatic valve
-
power valve
-
pressure control valve
-
pressure reducing valve
-
pressure regulating valve
-
pressure sequenced valve
-
pressure valve
-
pressure-vacuum vent valve
-
pressure vent valve
-
pressure-and-vacuum valve
-
pressure-compensated flow control valve
-
pressure-compensated valve
-
pressure-limiting valve
-
pressure-operated pneumatic valve
-
pressure-relief valve
-
pressurizer isolation valve
-
pressurizing cabin valve
-
priming valve
-
priority valve
-
production gate valve
-
production valve
-
proportional control hydraulic valve
-
proportional pressure control valve
-
proportioning valve
-
pump discharge valve
-
purge valve
-
push-button operated pneumatic valve
-
push-button valve
-
quarter-turn valve
-
quick exhaust air valve
-
rebound valve
-
rectifier valve
-
reducing valve
-
reed-type valve
-
reed valve
-
re-entry valve
-
register valve
-
regulating valve
-
relay valve
-
release valve
-
relief valve
-
replenishing valve
-
restrictor valve
-
retaining valve
-
retardation valve
-
retarder valve
-
retrievable valve
-
return valve
-
reverse Tainter valve
-
reverse valve
-
reversible flow metering valve
-
revolving valve
-
ride control valve
-
roller-operated pneumatic valve
-
rolling lift valve
-
rotary directional hydraulic valve
-
rotary disk operated pneumatic valve
-
rotary valve
-
safety valve
-
sampling valve
-
sand valve
-
scour valve
-
screw-down valve
-
screw valve
-
scupper valve
-
sea-suction valve
-
seating action valve
-
seat valve
-
selection valve
-
selector directional control valve
-
selector valve
-
self-sealing hydraulic valve
-
sequence valve
-
shaft valve
-
shear action valve
-
shrouded valve
-
shutoff gate valve
-
shutoff valve
-
singe-seat valve
-
single solenoid valve
-
single-acting valve
-
single-stage valve
-
sleeve valve
-
slide valve
-
sliding plate shear action valve
-
sluice valve
-
snap-in valve
-
snort valve
-
sodium-filled exhaust valve
-
solar panel valve
-
solenoid valve
-
solenoid-operated hydraulic valve
-
sphere valve
-
spherical valve
-
sphincter valve
-
spool operated pneumatic valve
-
spool valve
-
spray valve
-
spring centering directional control hydraulic valve
-
spring centralized air valve
-
spring offset valve
-
spring operated valve
-
spring-loaded valve
-
standing valve
-
start valve
-
steam dump valve
-
steam valve
-
steering-damping control valve
-
stop valve
-
straight flow valve
-
straight-through valve
-
suction valve
-
supply valve
-
surface-controlled gas lift valve
-
surge damping valve
-
swing disk seating action valve
-
swing-check valve
-
tank manifold valves
-
tank valves
-
tank-pipeline valve
-
tapered-seat valve
-
taper-seat valve
-
telescopic valve
-
telltale valve
-
thermionic valve
-
thermostatic expansion valve
-
thermostatic valve
-
three-port control valve
-
three-port valve
-
throttle valve
-
throttling direction control valve
-
thyristor valve
-
tidal valve
-
tilting disk check valve
-
time delay valve
-
toggle valve
-
tractor breakaway valve
-
transmission spark control valve
-
traveling valve
-
treadle-operated pneumatic valve
-
trip tester valve
-
tube valve
-
tubing pressure operated gas lift valve
-
tubing safety valve
-
turbine inlet valve
-
turbine shutoff valve
-
twinned-regenerator valve
-
two/two-way hydraulic valve
-
two-port control valve
-
two-port valve
-
two-position pneumatic valve
-
two-stage valve
-
two-way control valve
-
two-way valve
-
uncoupling valve
-
underlapped valve
-
unloading valve
-
vacuum valve
-
vapor valve
-
variable load valve
-
variable valve
-
vent valve
-
ventilation valve
-
venting valve
-
washout valve
-
water valve
-
water-gate valve
-
waveguide valve
-
wedge gate valve
-
wedge valve
-
wedge-action valve
-
wet armature hydraulic valve
-
whistle valve
-
zero-lapped valve -
15 device
1) устройство2) установка; агрегат3) аппарат4) механизм5) прибор; измерительное устройство7) компонент; элемент8) схема•devices identical in design — конструктивные аналоги;-
alphanumeric display device-
automatic exposure control device-
bubble memory device-
bucket brigade charge-coupled device-
decision-making device-
drilling bit feed device-
electrical device-
exposure control device-
Gunn-effect device-
Hall-effect device-
hard-copy output device-
household electrical device-
humidity detecting device-
hybrid-type device-
Josephson-effect device-
maneuvering propulsion device-
materials-handling device-
multiport device-
night observation device-
noise dampening device-
photoconducting device-
propulsion device-
protection device-
raster-display device-
registering pin device-
reversible film feeding device-
seed-feeding device-
supply reel braking device-
three-axis device -
16 network
1) сеть (железных дорог, каналов, трубопроводов и т. п.)5) схема; цепь; контур6) эл. многополюсник; четырехполюсник8) вычислительная сеть; сеть ЭВМ9) геофиз. сеть наблюдений; сеть опорных пунктов•-
π network
-
active electrical network
-
active network
-
adding network
-
adjustment network
-
air route network
-
all-pass network
-
anti-induction network
-
aperiodic network
-
artificial mains network
-
asymmetrical network
-
attenuation network
-
augmented transition network
-
automatic voice network
-
backbone network
-
backup radio network
-
balanced network
-
balancing network
-
baseband network
-
baseline network
-
basic network
-
BGS network
-
binary-weighted network
-
bridge network
-
bridged-T network
-
broadcast network
-
buoy data acquisition network
-
bus network
-
cable network
-
capacitive network
-
capacitor network
-
cellular radio network
-
centralized computer network
-
channel network
-
charge-summing network
-
circuit-switching network
-
climatological station network
-
closed private network
-
communications network
-
community antenna distribution network
-
computer network
-
conferencing network
-
connected network
-
contact network
-
coupling network
-
crack network
-
crossover network
-
customer access network
-
data communications network
-
data network
-
data transmission network
-
decoupling network
-
dedicated network
-
deemphasis network
-
delay-line network
-
delta network
-
demand-assigned network
-
dial-up network
-
differentiating network
-
digital network
-
diode network
-
direct distance dialing network
-
dislocation network
-
distributed interactive data network
-
distributed network
-
distributed-constant network
-
distributed-processing network
-
distribution network
-
DNC network
-
double-loop network
-
drainage network
-
dual network
-
earthing network
-
effectively earthed network
-
electrical network
-
electronically-switched network
-
electronic-switched network
-
elemental network
-
end-linked network
-
equivalent network
-
Eurovision network
-
extensive network
-
facsimile network
-
fault-signaling network
-
feed network
-
feedback network
-
flow network
-
four-pole network
-
four-terminal network
-
fully connected network
-
functional logic network
-
gage network
-
gas distribution network
-
gas network
-
geodetic network
-
glass network
-
global network
-
gravity network
-
ground network
-
ground-station network
-
heat network
-
heavy network
-
heterogeneous computer network
-
hierarchical network
-
high-bandwidth network
-
high-capacity network
-
high-voltage power network
-
highway network
-
homogeneous computer network
-
hybrid network
-
hydrologic network
-
inductance network
-
inductance-capacitance network
-
inductance-resistance network
-
industrial network
-
infinite network
-
information network
-
integrated digital network
-
integrated intracell network
-
integrated network
-
integrated-services digital network
-
integrating network
-
interactive network
-
intercity network
-
intercom network
-
interlaced network
-
interpenetrating polymer networks
-
interstage network
-
Intervision network
-
inverse networks
-
island network
-
isolation network
-
Kelvin network
-
L network
-
ladder network
-
lamellar network
-
lattice network
-
leased-line network
-
leveling network
-
lighting network
-
light-rail network
-
linear network
-
L-network
-
local data-processing network
-
local-area network
-
logic network
-
long-distance network
-
long-haul network
-
loop network
-
lossless network
-
low-voltage network
-
lumped-constant network
-
lumped network
-
main waterway network
-
manual routing network
-
Markovian network
-
matching network
-
meshed network
-
mesoscale observational network
-
message-switched network
-
meteorological network
-
metropolitan-area network
-
mixed network
-
mobile network
-
monitoring network
-
monopulse network
-
multiaccess network
-
multibranch network
-
multidimensional network
-
multidrop network
-
multinode network
-
multiple feed network
-
multipoint network
-
multiport network
-
multiservice network
-
multistation network
-
multiterminal network
-
near-shore buoy network
-
negative sequence network
-
network of base gravity stations
-
nodal network
-
nonlinear network
-
nonplanar network
-
nonreciprocal network
-
notch network
-
n-pole network
-
n-port network
-
n-terminal network
-
observation network
-
one-hop network
-
one-port network
-
ozone network
-
packet radio network
-
packet switching network
-
parallel-T network
-
passive network
-
personal computer network
-
phase-advance network
-
phase-inverting network
-
phase-shift network
-
phase-splitting network
-
phasing network
-
Pi network
-
planar network
-
PLC network
-
point-to-point network
-
polled network
-
polymer network
-
positive sequence network
-
power distribution network
-
power network
-
preassigned network
-
precipitation network
-
preemphasis network
-
primary distribution network
-
private-line network
-
public data network
-
pull-down network
-
pull-up network
-
pulse-forming network
-
quadripole network
-
queueing network
-
radial network
-
radio intercom network
-
radio sounding network
-
radio-relay network
-
railway network
-
rain-gage network
-
reciprocal network
-
recursive transition network
-
relay-contact network
-
resistance-capacitance network
-
resistive ladder network
-
resistive network
-
resistor network
-
ring network
-
river network
-
road network
-
rocket sounding network
-
rubber network
-
satellite network
-
semantic network
-
semiconductor network
-
short-haul network
-
simulcast network
-
single-tuned network
-
six-phase network
-
space network
-
standard gage trunk network
-
star network
-
stream-gaging network
-
stretched network
-
subtransmission network
-
survey network
-
switched network
-
switched-message network
-
switching network
-
T network
-
telecommunication network
-
telemetered air monitoring network
-
telephone network
-
teleprocessing network
-
teletype network
-
terminating network
-
terminating switching network
-
Thomson network
-
three-phase network
-
T-network
-
token-bus network
-
token-ring network
-
total ozone sampling network
-
traffic network
-
transit network
-
transition network
-
transmission network
-
transportation network
-
transport network
-
tree network
-
triangulation network
-
trilateration network
-
tsunami network
-
twin-T network
-
two-pole network
-
two-port network
-
two-terminal network
-
ultra-high voltage power network
-
unbalanced network
-
upper-air network
-
value-added network
-
variable topology network
-
ventilation network
-
virtual call network
-
voice network
-
vulcanization network
-
water quality monitoring network
-
water-supply network
-
weather radar network
-
weighting network
-
wide-area network
-
wideband network
-
worldwide communication network
-
Y network
-
Y-network
-
zero sequence network -
17 method
метод; способ; средство; приём; технология; система; порядокconstant casing pressure method — метод борьбы с выбросом поддержанием постоянного давления в затрубном пространстве
displacement method of plugging — цементирование через заливочные трубы (без пробок, с вытеснением цементного раствора буровым)
gas-drive liquid propane method — процесс закачки в пласт газа под высоким давлением с предшествующим нагнетанием жидкого пропана
single core dynamic method — динамический метод определения относительной проницаемости по отдельному образцу
transient method of electrical prospecting — метод электроразведки, использующий неустановившиеся электрические явления
— colour band method
* * *
метод; способ; приёмbullhead well control method — способ глушения скважины с вытеснением пластового флюида в пласт из кольцевого пространства
constant bottomhole pressure well control method — способ глушения скважины при постоянном забойном давлении
driller's well control method — способ глушения скважины с раздельным удалением пластового флюида и сменой бурового раствора
one-circulation well control method — способ глушения скважины с одновременным удалением пластового флюида и сменой бурового раствора
reliability matrix index method — метод контроля за обеспечением надёжности путём задания показателей надёжности
two-circulation well control method — способ глушения скважины с разделёнными удалением пластового флюида и сменой бурового раствора
Vlugter method of structural group analysis — структурно-групповой метод анализа (углеводородов) по Флюгтеру
wait and weight well-control method — способ глушения скважины с одновременным удалением пластового флюида и сменой бурового раствора
* * *
метод, способ
* * *
метод; способ; приём- method of assurancemethod for determination relative water wettability — метод определения относительной водосмачиваемости ( пород);
- method of borehole section correlation
- method of calculating gas reserves
- method of circles
- method of defining petroleum reserves
- method of defining reserves
- method of determining static corrections
- method of drilling
- method of drilling with hydraulic turbine downhole motor
- method of drilling with hydraulic turbine downhole unit
- method of estimating reserves
- method of evaluating petroleum reserves
- method of formation
- method of formation damage analysis
- method of formation heterogeneity analysis
- method of formation nonuniformity analysis
- method of increasing oil mobility
- method of limiting well production rate
- method of liquid saturation determination
- method of maintaining reservoir pressure
- method of maintaining reservoir pressure by air injection
- method of maintaining reservoir pressure by gas injection
- method of maintaining reservoir pressure by water injection
- method of measuring critical water saturation
- method of mirror
- method of operation
- method of planting
- method of sample taking
- method of sampling
- method of sharpening
- method of stimulating production
- method of strong formation explosions
- method of testing
- method of three coefficients
- airborne magnetometer method
- air-hammer drilling method
- airlift well operation method
- alcohol-slug method
- arc refraction method
- aromatic adsorption method
- average velocity method
- average velocity approximation method
- bailer method of cementing
- band method
- barrel per acre method
- Barthelmes method
- basic volume method of estimating reserves
- beam pumping well operation method
- blasthole method
- bomb method
- borderline method
- borehole method
- borehole wall consolidation method
- bottom-packer method
- bottom water isolation method
- bottom water shutoff method
- bottomhole pressure build-up method
- broadside refraction method
- cable tool percussion drilling method
- Cabot method
- building method
- bullhead well control method
- capillarimetric method for determination wettability
- carbonized water injection method
- casing method of cementing
- casing-pressure method
- catenary pipe laying method
- cementing method
- cetane test method
- charcoal method
- chemical method of borehole wall consolidation
- chemical method of borehole wall lining
- circulating method
- clean recirculation method
- cold method of oil fractionation
- combination drilling method
- common-depth-point method
- common-midpoint method
- common-reflection-point method
- compressional-wave method
- concurrent method
- concurrent method of well killing
- constant bottomhole pressure well control method
- constant casing pressure method
- constant pit level method
- continuous-correlation method
- continuous-profiling method
- controlled directivity reception method
- converted wave method
- copper dish method
- correlation method of refracted waves
- correlation refraction method
- countercirculation-wash-boring method
- crosshole method
- cube method
- curved-path method
- cyclic steam-soaking secondary oil recovery method
- cycloidal ray-path method
- cylinder method
- deep-hole method
- deep-refraction method
- delay-and-sum method
- derrick assembling method
- derrick erection method
- desalting method
- development method
- dewatering method
- diesel cetane method
- differential liberation method
- diffraction stack method
- dipole profiling method
- direct method of orientation
- directional survey method
- dispersed gas injection method
- displacement method of plugging
- distillation method
- distillation method of liquid saturation determination
- double control method
- downhole method
- downhole sucker-rod pump well operation method
- down-the-hole induced polarization method
- drill steam method of coke removal
- driller's method
- driller's well control method
- drilling method
- drilling-in method
- dual coil ratiometer method
- effusion method
- electrical method of geophysical prospecting
- electrical-audibility method
- electrical-exploration method
- electrical-logging method
- electrical-prospecting method
- electrical-sounding method
- electrical-surveying method
- electrochemical method of borehole wall consolidation
- electrochemical method of borehole wall lining
- electromagnetic method of orientation
- electromagnetic-exploration method
- electromagnetic-prospecting method
- electromagnetic-profiling method
- electromagnetic-sounding method
- electromagnetic-surveying method
- enhanced recovery method
- enriched gas injection method
- Eshka method
- evaporation method of measuring critical water saturation
- exploration method
- exploration prospecting survey method
- exploration seismic method
- explosion drilling method
- explosion seismic method
- express method
- express method of production calculation
- filter-and-sum method
- fire flooding method
- firing line method
- first-break method
- first-event method
- float-and-chains method
- float-on method
- formation evaluation method
- four-point control method
- fracture method
- freepoint-string shot method
- freezing method
- freezing point depression method
- from-bottom-upward method of derrick assembling
- from-top-downward method of derrick assembling
- frontal advance gas-oil displacement method
- Galician method
- gamma-ray method
- gas blow-around method
- gas-chromatography method
- gas-drive liquid propane method
- gaslift well operation method
- gas-production test method
- gas-recovery method
- geological petroleum exploration method
- geological petroleum prospecting method
- geophysical petroleum exploration method
- grasshopper pipeline coupling method
- gravity method of geophysical prospecting
- gravity exploration method
- heat injection secondary oil recovery method
- hectare method of estimating reserves
- hesitation method
- high-pressure dry gas injection method
- high-resolution method
- hit-and-miss method
- holoseismic method
- horizontal-loop method
- hot-water drive method
- hydraulic drilling method
- hydraulic fracturing method
- hydraulic hammer drilling method
- hydraulic jet drilling method
- hydrodynamic method of calculating oil production
- hydrodynamic drilling method
- ice-plug method
- image method
- indirect method of orientation
- induction logging method
- infiltration method
- injection flow method
- in-situ combustion method
- interval change method
- isolation method
- isoline method of reserves estimation
- Kiruna method
- knock intensity method
- lamp method
- lean mixture rating method
- liquid solvent injection method
- logging method
- long-hole method
- long-interval method
- long-wire transmitter method
- luminescent-bitumen method
- magnesium-hydroxide method
- magnetic method of geophysical prospecting
- magnetic-exploration method
- magnetic-flaw detection method
- magnetic-particle method
- magnetic-particle flaw detection method
- magnetoelectrical control method
- magnetometrical method
- magnetotelluric method
- magnetotelluric-exploration method
- magnetotelluric-sounding method
- maintenance method
- mercury injection method of measuring critical water saturation
- micrometric method of rock analysis
- microseismic method
- migration method
- mining method
- moving-plug method of cementing
- moving-source method
- mud-balance method
- mudcap method
- mudflush drilling method
- multiple detection method
- nonionic surfactant water solution injection method
- nonreplacement method
- Norwegian method
- oil drive method
- oil production method
- oil recovery method
- oil withdrawal method
- one-agent borehole wall consolidation method
- one-agent borehole wall lining method
- one-circulation well control method
- outage method
- oxygen-bomb method
- parabolic method
- passive method
- pattern method
- pattern-type gas injection method
- penetration method
- penetrating fluid method
- percussion method
- perforation method
- Perkins method
- phase-velocity method
- physicochemical method of borehole wall consolidation
- physicochemical method of borehole wall lining
- picric acid method
- pipe-bridge method
- pipe-driving method
- pipeline-assembly method
- pipeline-coupling method
- placement method
- plane front method
- plasma drilling method
- polarization method
- Poulter method
- pour point depression method
- pressure build-up method of formation damage analysis
- pressure build-up method of formation heterogeneity analysis
- pressure-drop method of estimating gas reserves
- primary oil recovery method
- probe method
- producing method
- producing well testing method
- production method
- production test method
- profiling method
- projected-vertical-plane method of orienting
- prospecting method
- pump-out method
- punching method
- radioactive method
- radioactive method of geophysical prospecting
- radio-direction-finder method
- ray-path method
- ray-stretching method
- ray-tracing method
- record presentation method
- recovery method
- rectilinear ray-path method
- reflection method
- reflection interpretation method
- refracted wave method
- refraction method
- refraction correlation method
- refraction interpretation method
- reliability method
- reliability matrix index method
- remedial cementing method
- replacement method
- repressuring method
- resistivity method
- restored-state method of measuring critical water saturation
- retort method of liquid saturation determination
- reversed refraction method
- ring-and-ball method
- rod tool percussion drilling method
- rodless pump well operation method
- roll-on method
- rope-and-drop pull method
- rotary drilling method
- rotation drilling method
- sampling method
- sand jet method
- saturation method
- saturation method of pore volume measurement
- secondary oil recovery method
- sectional method of pipeline assembly
- sectional pipe-coupling method
- sectorial pipe-coupling method
- sedimentology method of measuring particle size distribution
- seismic method
- seismic method of geophysical prospecting
- seismic-detection method
- seismic-exploration method
- seismic-identification method
- seismic-interpretation method
- seismic-reflection method
- seismic-refraction method
- self-potential method
- sequence firing method
- shear-wave method
- short-hole method
- shot-drilling method
- shot-popping method
- side-tracking method
- side-wall coring method
- single-core dynamic method
- single-fold continuous-coverage method
- slalom-line method
- small-bore deep-hole method
- soap suds method
- sounding method
- spontaneous polarization method
- squeeze cementing method
- squeezing method
- standardizing performance method
- standby method
- stationary liquid method of relative permeability determination
- statistical method of calculating oil production
- statistical method of estimating reserves
- steam oil drive method
- stepwise method of McCabe and Thiele
- stimulation method
- stove pipe method
- stove pipe flange method of rolling beams
- straight ray-path method
- subsurface method of geophysical prospecting
- suction method of cleaning
- summation method
- surface method of geophysical prospecting
- surface-wave method
- swabbing method
- swinging-gage method
- tertiary oil recovery method
- testing method
- thermal-acid formation treatment method
- thermal-recovery method
- thickened water injection method
- three-dimensional seismic method
- thumper method
- top-packer method
- towing method
- transient method of electrical prospecting
- transmitted wave method
- transposed method
- triaxial test method
- tubing method of cementing
- two-agent borehole wall consolidation method
- two-agent borehole wall lining method
- two-circulation well control method
- ultrasonic method
- ultrasonic flaw detection method
- variable-area method
- velocity-analysis method
- vertical loop method
- Vibroseis method
- Vlugter method of structural group analysis
- volume method of estimating reserves
- volume-statistical method of estimating reserves
- volume-weight method of estimating reserves
- volumetric method of estimating reserves
- volumetric-genetic method of estimating reserves
- wait-and-weight well-control method
- Walker's method
- wash-and-drive method
- washing method
- water flooding method
- water influx location method
- weathering computation method
- weight-drop method
- weight-saturation method
- well-casing method
- well-completion method
- well-control method
- well-drill method
- well-geophone method
- well-operation method
- well-shooting method
- well-testing method
- wireline method
- X-ray diffraction method* * * -
18 pickup
1) звукосниматель
2) звукосъемник
3) раскладчик
4) <tech.> адаптер
5) <commun.> перехват
6) <engin.> подхватчик
7) подхватывать
8) вакуумный
9) срабатывание
10) величина срабатывания минимальная
11) < railways> трогание
– contact pickup
– diaphragm pickup
– direct pickup
– electronic pickup
– hydraulic pickup
– lateral pickup
– lever pickup
– liquid pickup
– movement pickup
– neutral pickup
– phonograph pickup
– photochemical pickup
– pickup cover
– pickup loop
– position pickup
– remote pickup
– reverse pickup
– sinusoidal pickup
– stray pickup
– synchro pickup
– variable-induction pickup
– vibration pickup
safety factor for pickup — <comput.> коэффициент запаса при срабатывании
-
19 line
1) линия || проводить линии, линовать2) матем. прямая3) черта; штрих || штриховать4) контур, очертание5) кривая ( на графике)6) геофиз. профиль8) геод. ход9) экватор10) линия ( единица длины)13) мн. ч. границы, пределы ( земельного участка)14) граничить15) направление движения, курс16) располагать(ся) в одну линию; устанавливать соосно17) трубопровод; нитка трубопровода (см. тж
pipeline) || прокладывать трубопровод, тянуть нитку трубопровода18) водовод19) облицовка ( внутренняя) || облицовывать ( внутри)20) футеровка || футеровать21) горн. обшивка || обшивать22) строит. причалка ( в каменных работах)24) конвейер25) номенклатура продукции; серия изделий26) мн. ч. теоретический чертёж ( судна)27) железнодорожный путь; линия28) (электрическая) линия; (электрическая) цепь; провод; шина29) линия связи; линия передачи ( данных или сигналов)30) строка программного кода, развёртки изображения, набора31) ярус ( орудие лова рыбы)32) лён; льняная пряжа33) нефт. струна ( оснастки талевой системы)•to be in line with one another — располагаться (лежать) на одной линии;to close contour line — геод. замыкать горизонталь;to connect a line from... to... — подсоединять линию одним концом к..., а другим к...;to feed off a line from a drum — сматывать канат с барабана;to figure (to index, to number) a contour line — геод. оцифровывать горизонталь;to pay out a line — разматывать канат;to reeve a line — 1. натягивать канат перед подъёмом 2. пропускать талевый канат через кронблочный шкив ( от лебёдки);to run a line (in)to — подводить линию к чему-л.;to run out a contour line — геод. проводить горизонталь;to snap a chalk line — отбивать линию с помощью (мелёного) шнура;to line up — 1. располагать(ся) на одной линии 2. настраивать; регулировать;to valve off a line — перекрывать трубопровод задвижкойline of action — 1. линия действия силы 2. машиностр. линия зацепленияline of flux — линия силового поля (электрического, магнитного, гравитационного)line of rivets — ряд заклёпокline of sight — 1. визирная ось 2. линия прямой видимости 3. линия визированияline of thrust — 1. линия распора ( арки) 2. линия действия равнодействующей бокового давления грунта ( в подпорной стене)-
T-line
-
absorption line
-
ac line
-
access line
-
acoustic bulk-wave delay line
-
acoustic delay line
-
acoustic line
-
action line
-
active line
-
adiabatic line
-
admission line
-
aerial line
-
aftercooler water line
-
air intake line
-
air line
-
aircraft break line
-
aircraft production break line
-
ammonia line
-
anti-Stokes line
-
arrival line
-
assembly line
-
automated line
-
automatic transfer line
-
auxiliary line
-
available line
-
avoiding line
-
back line
-
backbone transmission line
-
background line
-
backing line
-
backup line
-
backwash line
-
bailing line
-
balanced line
-
bank line
-
base line
-
bead-supported line
-
bead line
-
bearing line
-
beef dressing line
-
belt pitch line
-
bipolar line
-
bisecting line
-
bit line
-
black line
-
blast line
-
blast-furnace line
-
bleed line
-
bleeder line
-
blowing line
-
bottling line
-
brake line
-
branch bus line
-
branch line
-
branch main line
-
bridging line
-
broad-gage line
-
broadside lines
-
broken line
-
building line
-
bundle-conductor line
-
buoy line
-
burn line
-
burnt lines
-
bus line
-
buttock line
-
bypass line
-
cable line
-
cable pole line
-
calf line
-
can assembly line
-
capacitor-compensated transmission line
-
capacity line
-
car line
-
carrier line
-
casing line
-
catalyst transfer line
-
catenary line
-
cathead line
-
caving line
-
cell line
-
cementing line
-
center line
-
chain line
-
chalk line
-
channel line
-
character line
-
charging line
-
choke line
-
choker line
-
circle line
-
circular main line
-
cleaning line
-
clear line
-
clock line
-
closed refrigerant line
-
closing-head line
-
coastal line
-
coast line
-
coaxial line
-
code line
-
coil buildup line
-
coil cutup line
-
coil packaging line
-
coil slitting line
-
cold adjustment line
-
comb line
-
command line
-
comment line
-
common-use line
-
communications line
-
communication line
-
commuter line
-
compartment line
-
composed line
-
compressibility line
-
computation line
-
concentric line
-
concurrent lines
-
condensate line
-
conductor line
-
constant pass line
-
constant-pressure line
-
construction lines
-
contact line
-
contact-wire line
-
continuous annealing line
-
continuous assorting line
-
continuous pickling line
-
continuous processing line
-
contour line
-
control line
-
convergence line
-
copy lines
-
corrugating line
-
coupled transmission lines
-
course line
-
crease line
-
crosscutting line
-
cryoresistive transmission line
-
current line
-
current-flow line
-
curved line
-
cutoff line
-
cutting line
-
cutting-up line
-
cut-to-length line
-
cutup line
-
cylinder block line
-
cylinder head line
-
dash-dotted line
-
dashed line
-
data line
-
datum line
-
dc line
-
dead line
-
dedicated line
-
deenergized line
-
deflection line
-
delay bar line
-
delay line
-
delivery line
-
departure line
-
depth line
-
dial-up line
-
dial line
-
dimension line
-
direct line
-
discharge line
-
disengaged line
-
dispersive delay line
-
dispersive transmission line
-
display line
-
distributed-constant line
-
distribution trunk line
-
distribution line
-
district heating line
-
divergence line
-
divergent lines
-
diverter line
-
divide line
-
dot line
-
double line
-
double-circuit line
-
double-track line
-
double-wall fuel injection line
-
double-wire line
-
drag lines
-
drain line
-
drainage line
-
drawing line
-
dressed line
-
drilling line
-
drilling mud line
-
drive line
-
dropout line
-
dry-adiabatic line
-
duplex line
-
earth-return line
-
efficiency line
-
effluent disposal line
-
elastic line
-
electric flux line
-
electric lines of force
-
electrified line
-
electrified main line
-
electrolytic cleaning line
-
electrolytic tinning line
-
electrolytic zinc-plating line
-
emission line
-
enable line
-
end hardening line
-
end line
-
endless line
-
energized line
-
energy grade line
-
energy line
-
engaged line
-
engine-shutdown line
-
engraved line
-
equalized delay line
-
equalizing line
-
equilibrium state line
-
equipotential line
-
even-numbered line
-
excavation line
-
exchange line
-
exhaust crossover line
-
exhaust line
-
extraction line
-
extra-high-voltage transmission line
-
extra-high-voltage line
-
face line
-
fast line
-
fathon line
-
fault line
-
faulted line
-
feed line
-
feeder line
-
feedwater line
-
fiber-optic line
-
fiber line
-
fiducial line
-
field line
-
filling line
-
filling shunt line
-
fill-up pipe line
-
fill-up line
-
film neutral line
-
fin line
-
finish line
-
finishing roll line
-
fire line
-
firing line
-
fit line
-
flare line
-
flat line
-
flexible line
-
flexible transfer line
-
flight line
-
floor line
-
flow line
-
flow priority line
-
flowmeter red line
-
fluidlift line
-
flux line
-
fly line
-
flyback line
-
flying shear line
-
FMS line
-
foam line
-
folded delay line
-
forbidden line
-
four-wire line
-
fractional line
-
fraction line
-
frame line
-
frontage line
-
frontal line
-
frost line
-
fuel cross-feed line
-
fuel injection line
-
fuel line
-
fuel return line
-
fuel supply line
-
full line
-
full-duplex line
-
fusion line
-
gage line
-
gas line
-
gasket contact line
-
gasoline line
-
gathering line
-
gating signal line
-
generating line
-
geodetic line
-
ghost lines
-
glass line
-
glide slope limit line
-
gorge line
-
grade line
-
graduated line
-
grating delay line
-
grinding line
-
groundwater line
-
guy line
-
H lines
-
hair line
-
half-duplex line
-
half-wave transmission line
-
half-wave line
-
hard line
-
hardwired production line
-
haulage line
-
haulback line
-
head hardening line
-
heading line
-
heat flow lines
-
heater line
-
heating-gas line
-
heavy line
-
heavy-traffic line
-
help line
-
hem line
-
hemp center wire line
-
hidden line
-
high-pressure line
-
high-side line
-
high-temperature hot-water transmission line
-
high-voltage power line
-
high-voltage line
-
high-voltage transmission line
-
home line
-
hook line
-
horizontal line
-
hot line
-
hot metal line
-
hot-dip tinning line
-
hot-vapor line
-
housing line
-
hump engine line
-
hydraulic grade line
-
hydraulic line
-
hydrochloric acid pickling line
-
hyperfine line
-
ideal line
-
idle line
-
ignition line
-
improvement line
-
inclined line
-
inclusion line
-
incoming line
-
indented line
-
individual line
-
infinite line
-
influence line
-
inhaul line
-
initial line
-
injection line
-
intake line
-
interconnecting line
-
interconnection line
-
interdigital line
-
interswitch line
-
isobar line
-
isobathic line
-
isoclinal line
-
isodynamic line
-
isogonic line
-
isolux line
-
iso-stress line
-
isothermal line
-
isotropic line
-
jack line
-
jerk line
-
jog line
-
junction line
-
justified line
-
kill line
-
killed line
-
knuckle line
-
ladder line
-
lag line
-
land line
-
laser line
-
lead line
-
leased line
-
less robotized line
-
level line
-
leveling line
-
leviathan line
-
life line
-
lifting line
-
liquidus line
-
live line
-
load line
-
loaded line
-
loading line
-
local line
-
log line
-
logical line
-
logic line
-
long line
-
long-distance line
-
long-distance thermal transmission line
-
long-distance transmission line
-
loop line
-
loss-free line
-
lossy line
-
lot line
-
low-loss line
-
low-pressure fuel feed line
-
low-side line
-
low-temperature hot-water transmission line
-
low-voltage transmission line
-
low-voltage line
-
lubber's line
-
lubber line
-
luminance delay line
-
luminescence line
-
lumped-constant line
-
magnetic delay line
-
magnetic field lines
-
magnetic flux line
-
magnetic lines of force
-
magnetic superlattice line
-
main line
-
main refinery drainage line
-
main supply line
-
margin line
-
marine line
-
matched line
-
meander line
-
medium-voltage line
-
message line
-
metal line
-
meter-gage line
-
microslip line
-
microstrip line
-
midship line
-
mill line
-
mold match line
-
mold preparation line
-
molded line
-
monophase line
-
monopolar line
-
mooring line
-
moving line
-
mud line
-
mud-return line
-
multidrop line
-
multihop line
-
multiparty line
-
multiple-conductor line
-
multiplexed line
-
multipoint line
-
multirobot machining line
-
multistrand continuous pickle line
-
multiterminal line
-
narrow-gage line
-
Neumann lines
-
neutral line
-
nondedicated line
-
nonresonant line
-
nonswitched line
-
nontransposed transmission line
-
nontransposed line
-
nonuniform electrical transmission line
-
number line
-
observing line
-
obstacle clearance line
-
obstacle line
-
odd-numbered line
-
oil gathering line
-
oil line
-
oil pressure line
-
oil scavenge line
-
one-pole line
-
one-track line
-
one-wire line
-
open-circuit line
-
open-ended line
-
open-wire line
-
operating line
-
optical fiber communication line
-
order-wire line
-
oscillating line
-
outcrop line
-
outgoing line
-
outhaul line
-
overflow line
-
overhead cable line
-
overhead high-voltage line
-
overhead line
-
overhead low-voltage line
-
overhead transmission line
-
oxygen supply line
-
paced assembly line
-
packaging line
-
parallel lines
-
parameter line
-
parting line
-
party line
-
pass line
-
pedal line
-
performance line
-
periodic line
-
phreatic line
-
pickling line
-
pilot line
-
pitch line of groove
-
pitch line
-
plating line
-
Plimsoll line
-
plumb line
-
pneumatic conveying line
-
point-to-point line
-
polar line
-
pole line
-
polymer drain line
-
power bus line
-
power line
-
power transmission line
-
pressure inlet line
-
pressure jump line
-
pressure line
-
pressure relief line
-
primary line
-
priming line
-
printer line
-
printing line
-
private line
-
processing line
-
product line
-
production line
-
projective line
-
propagation line
-
pull line
-
pumping-out line
-
purse line
-
push-pull pickling line
-
radar line of sight
-
radio-frequency line
-
radio-optical line of distance
-
railway line
-
Raman line
-
raster line
-
ready line
-
reception line
-
recirculated line
-
reclaiming line
-
recoil line
-
reference line
-
reflection line
-
reflux line
-
refraction line
-
refresh line
-
relay repeater line
-
relay line
-
relief line
-
remote line
-
repeater line
-
resonant line
-
return line
-
reversed line
-
rhumb line
-
ring-and-bar structure-delay line
-
river line
-
robot transfer line
-
robotized line
-
roll line
-
roll parting line
-
roller line
-
roof lines
-
rotary-shear line
-
rotary-slitting line
-
routing line
-
rundown line
-
running line
-
runway center line
-
sand line
-
satellite communications line
-
satellite line
-
saturation line
-
scale line
-
scanning line
-
scan line
-
scavenge line
-
scrap processing line
-
screen line
-
scrubbing line
-
scrubbing-and-drying line
-
sea line
-
sealing line
-
secant line
-
secondary line
-
section line
-
seismic line
-
selected course line
-
selection line
-
serial line
-
serrated river line
-
service line
-
shackle-rod line
-
shearing line
-
shear line
-
sheer line at center
-
sheer line at side
-
sheer line
-
sheet-galvanizing line
-
sheeting line
-
sheet-shearing line
-
short-circuited line
-
shrinkproof finishing line
-
shunting line
-
side trimming line
-
signaling line
-
signal line
-
single-circuit line
-
single-conductor transmission line
-
single-hop line
-
single-phase line
-
single-pole line
-
single-track line
-
single-wire line
-
sinker line
-
six-phase line
-
skew lines
-
skidding line
-
slant course line
-
slip line
-
slitting-and-coiling line
-
slitting-and-shearing line
-
slitting-and-trimming line
-
snap line
-
snorkel line
-
snow line
-
solidus line
-
sonic delay line
-
space communications line
-
space line
-
spare line
-
spark line
-
spectral line
-
splice line
-
spray line
-
springing line
-
spur line
-
squall line
-
standard-gage line
-
status line
-
steam line
-
steam return line
-
steam-extraction line
-
steam-smothering line
-
steel fabrication line
-
steep-gradient line
-
steering oil lines
-
stock line
-
Stockes line
-
stopping line
-
straight line
-
strain line
-
strip line
-
strip processing line
-
strip welding line for coils
-
strip-grinding line
-
submarine cable line
-
submarine line
-
subscriber line
-
subtransmission line
-
suburban line
-
suction line
-
sulfuric acid pickling line
-
supercharged suction line
-
superconducting transmission line
-
superheat line
-
supply line
-
surface-acoustic-wave delay line
-
surge line
-
survey line
-
sweep line
-
switched line
-
switching line
-
takeoff line
-
taping line
-
tapped delay line
-
tapped line
-
telecom line
-
television active line
-
television line
-
temperature line
-
terminated line
-
terrestrial line
-
test line
-
three-phase transmission line
-
three-terminal high-voltage dc transmission line
-
thrust line
-
tide line
-
tie line
-
tiedown line
-
tiller line
-
time-temperature line
-
toll line
-
tool injection line
-
towing line
-
tow line
-
tracer line
-
trailing line
-
transit line
-
transmission line
-
transposed transmission line
-
trickling line
-
trim assembly line
-
trolley line
-
trunk line
-
trunk transmission line
-
tunnel line
-
twin line
-
twin-circuit line
-
two-strand line
-
two-wire line
-
type line
-
type-base line
-
ultra-high voltage transmission line
-
ultra-high voltage line
-
ultrasonic delay line
-
unbalanced line
-
unbalanced production line
-
undercollar break line
-
underground cable power line
-
underground power line
-
uniform electrical transmission line
-
unloaded line
-
unloading line
-
untapped delay line
-
untransposed transmission line
-
untransposed line
-
useful line
-
vapor line
-
vapor-pressure line
-
variable delay line
-
vector line
-
vent line
-
versatile transfer line
-
video line
-
viscose-supply line
-
vortex line
-
wash line
-
wastegate line
-
wave line
-
waveguide delay line
-
wear lines
-
weighted tapped delay line
-
weld line
-
wing chord line
-
wing split line
-
wire line
-
wire-cleaning line
-
word line
-
world line
-
zero line -
20 coupling
1) образование пары; объединение в пару; спаривание2) связь; взаимное влияние; взаимодействие || связывающий; реализующий взаимное влияние; реализующий взаимодействие3) соединитель, соединительный элемент, соединение; сцепка || соединяющий; сцепляющий4) муфта; сочленение; шарнир•- alternating-current coupling
- antenna coupling
- antiferromagnetic coupling
- aperture coupling
- bandpass coupling
- bayonet coupling
- beam coupling
- capacitive coupling
- cathode coupling
- cavity coupling
- choke coupling
- choke-flange coupling
- circulator coupling
- close coupling
- coflow coupling
- common-impedance coupling
- conductive coupling
- contraflow coupling
- critical coupling
- cross coupling
- crosstalk coupling
- direct coupling
- direct-current coupling
- direct exchange coupling
- direct inductive coupling
- electric coupling
- electric-field coupling
- electromagnetic coupling
- electromechanical coupling
- electron coupling
- electron-ion collisional coupling
- electrostatic coupling
- exchange coupling
- flange coupling
- flexible coupling
- high-side capacitance coupling
- hyperfine coupling
- hysteresis coupling
- impedance coupling
- indirect exchange coupling
- induction coupling
- inductive coupling
- injection emitter coupling
- intercavity coupling
- interelectrode coupling
- interlayer coupling
- interstage coupling
- intracavity coupling
- iris coupling
- Josephson coupling
- junction coupling
- line coupling
- link coupling
- load coupling
- loop coupling
- loose coupling
- L-S coupling
- magnetic coupling
- magnetic-dipole coupling
- magnetic-field coupling
- magnetoelastic coupling
- mode coupling
- mutual-inductance coupling
- negative coupling
- n-order coupling
- ohmic coupling
- optical coupling
- optimum coupling
- over coupling
- photon coupling
- piezoelectric coupling
- positive coupling
- probe coupling
- radiation coupling
- RC coupling
- reference coupling
- resistance coupling
- resistance-capacitance coupling
- resistive coupling
- series-capacitance coupling
- shunt-capacitance coupling
- slot coupling
- spin-orbit coupling
- spin-phonon coupling
- spin-spin coupling
- strip coupling
- synchronous coupling
- tight coupling
- transformer coupling
- transitional coupling
- unity coupling
- universal coupling
- variable coupling
- waveguide coupling
- weak coupling
- 1
- 2
См. также в других словарях:
Induction variable — In computer science, an induction variable is a variable that gets increased or decreased by a fixed amount on every iteration of a loop, or is a linear function of another induction variable.For example, in the following loop, i and j are… … Wikipedia
Loop invariant — In computer science, a loop invariant is an invariant used to prove properties of loops.Specifically in Floyd Hoare logic, the partial correctness of a while loop is governed by the following rule of inference::frac{{Cland I};mathrm{body};{I… … Wikipedia
Compiler optimization — is the process of tuning the output of a compiler to minimize or maximize some attributes of an executable computer program. The most common requirement is to minimize the time taken to execute a program; a less common one is to minimize the… … Wikipedia
Оптимизирующий компилятор — Эта статья предлагается к удалению. Пояснение причин и соответствующее обсуждение вы можете найти на странице Википедия:К удалению/24 декабря 2012. Пока процесс обсужден … Википедия
Inline expansion — In computing, inline expansion, or inlining, is a manual or compiler optimization that replaces a function call site with the body of the callee. This optimization may improve time and space usage at runtime, at the possible cost of increasing… … Wikipedia
VBCC — is the name of a portable and retargetable ISO/ANSI C compiler.It supports ISO C according to ISO/IEC 9899:1989 and a subset of the new standard ISO/IEC 9899:1999 (C99). It is divided into two parts. One is target independent and the other is… … Wikipedia
Strength reduction — is a compiler optimization where a costly operation is replaced with an equivalent, but less expensive operation.Operator strength reduction involves using mathematical identities to replace slow math operations with faster operations. Examples… … Wikipedia
Electric motor — For other kinds of motors, see motor (disambiguation). For a railroad electric engine, see electric locomotive. Various electric motors. A 9 volt PP3 transistor battery is in the center foreground for size comparison. An electric motor converts… … Wikipedia
Motor controller — A motor controller is a device or group of devices that serves to govern in some predetermined manner the performance of an electric motor.[1] A motor controller might include a manual or automatic means for starting and stopping the motor,… … Wikipedia
μ operator — In computability theory, the μ operator, minimization operator, or unbounded search operator searches for the least natural number with a given property. Contents 1 Definition 2 Properties 3 Examples … Wikipedia
Lorentz force — This article is about the equation governing the electromagnetic force. For a qualitative overview of the electromagnetic force, see Electromagnetism. For magnetic force of one magnet on another, see force between magnets. Electromagnetism … Wikipedia